HeapTRM fuzzer: mutation-based fuzzing guided by heap corruption detection
Browse filesStandalone fuzzer using v2 harness as oracle. Found all 3 vuln types
(overflow, UAF, double-free) in 21s from simple seeds. 96 exec/s,
1985 corruption-triggering inputs generated.
- cve_tests/fuzz_target.c +110 -0
- heaptrm/integrations/fuzzer.py +389 -0
cve_tests/fuzz_target.c
ADDED
|
@@ -0,0 +1,110 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
/*
|
| 2 |
+
* fuzz_target.c - A vulnerable parser for fuzzing with heaptrm.
|
| 3 |
+
*
|
| 4 |
+
* Reads commands from stdin:
|
| 5 |
+
* A <size> — allocate chunk of given size
|
| 6 |
+
* F <idx> — free chunk at index
|
| 7 |
+
* W <idx> <data> — write data to chunk (vulnerable: no bounds check)
|
| 8 |
+
* R <idx> — read chunk
|
| 9 |
+
*
|
| 10 |
+
* Vulnerability: W command doesn't validate data length against chunk size.
|
| 11 |
+
* A crafted input can overflow heap chunks.
|
| 12 |
+
*/
|
| 13 |
+
|
| 14 |
+
#include <stdio.h>
|
| 15 |
+
#include <stdlib.h>
|
| 16 |
+
#include <string.h>
|
| 17 |
+
#include <unistd.h>
|
| 18 |
+
|
| 19 |
+
#define MAX_CHUNKS 16
|
| 20 |
+
|
| 21 |
+
struct chunk {
|
| 22 |
+
char *data;
|
| 23 |
+
size_t size;
|
| 24 |
+
};
|
| 25 |
+
|
| 26 |
+
int main(void) {
|
| 27 |
+
struct chunk chunks[MAX_CHUNKS] = {0};
|
| 28 |
+
char buf[4096];
|
| 29 |
+
int n;
|
| 30 |
+
|
| 31 |
+
setbuf(stdin, NULL);
|
| 32 |
+
setbuf(stdout, NULL);
|
| 33 |
+
|
| 34 |
+
while ((n = read(STDIN_FILENO, buf, sizeof(buf))) > 0) {
|
| 35 |
+
int pos = 0;
|
| 36 |
+
while (pos < n) {
|
| 37 |
+
char cmd = buf[pos++];
|
| 38 |
+
if (pos >= n) break;
|
| 39 |
+
|
| 40 |
+
switch (cmd) {
|
| 41 |
+
case 'A': {
|
| 42 |
+
/* Allocate: next byte is size */
|
| 43 |
+
if (pos >= n) break;
|
| 44 |
+
int size = (unsigned char)buf[pos++];
|
| 45 |
+
if (size == 0) size = 16;
|
| 46 |
+
if (size > 256) size = 256;
|
| 47 |
+
/* Find free slot */
|
| 48 |
+
for (int i = 0; i < MAX_CHUNKS; i++) {
|
| 49 |
+
if (!chunks[i].data) {
|
| 50 |
+
chunks[i].data = malloc(size);
|
| 51 |
+
chunks[i].size = size;
|
| 52 |
+
memset(chunks[i].data, 0, size);
|
| 53 |
+
break;
|
| 54 |
+
}
|
| 55 |
+
}
|
| 56 |
+
break;
|
| 57 |
+
}
|
| 58 |
+
case 'F': {
|
| 59 |
+
/* Free: next byte is index */
|
| 60 |
+
if (pos >= n) break;
|
| 61 |
+
int idx = (unsigned char)buf[pos++] % MAX_CHUNKS;
|
| 62 |
+
if (chunks[idx].data) {
|
| 63 |
+
free(chunks[idx].data);
|
| 64 |
+
/* BUG: don't clear pointer (UAF) */
|
| 65 |
+
chunks[idx].size = 0;
|
| 66 |
+
}
|
| 67 |
+
break;
|
| 68 |
+
}
|
| 69 |
+
case 'W': {
|
| 70 |
+
/* Write: next byte is index, then data until next command */
|
| 71 |
+
if (pos + 1 >= n) break;
|
| 72 |
+
int idx = (unsigned char)buf[pos++] % MAX_CHUNKS;
|
| 73 |
+
if (!chunks[idx].data) break;
|
| 74 |
+
/* BUG: write length not checked against chunk size */
|
| 75 |
+
int write_len = 0;
|
| 76 |
+
while (pos + write_len < n &&
|
| 77 |
+
buf[pos + write_len] != 'A' &&
|
| 78 |
+
buf[pos + write_len] != 'F' &&
|
| 79 |
+
buf[pos + write_len] != 'W' &&
|
| 80 |
+
buf[pos + write_len] != 'R') {
|
| 81 |
+
write_len++;
|
| 82 |
+
}
|
| 83 |
+
/* Vulnerable: may overflow chunk */
|
| 84 |
+
memcpy(chunks[idx].data, buf + pos, write_len);
|
| 85 |
+
pos += write_len;
|
| 86 |
+
break;
|
| 87 |
+
}
|
| 88 |
+
case 'R': {
|
| 89 |
+
/* Read: next byte is index */
|
| 90 |
+
if (pos >= n) break;
|
| 91 |
+
int idx = (unsigned char)buf[pos++] % MAX_CHUNKS;
|
| 92 |
+
if (chunks[idx].data && chunks[idx].size > 0) {
|
| 93 |
+
write(STDOUT_FILENO, chunks[idx].data, chunks[idx].size);
|
| 94 |
+
}
|
| 95 |
+
break;
|
| 96 |
+
}
|
| 97 |
+
default:
|
| 98 |
+
/* Skip unknown bytes */
|
| 99 |
+
break;
|
| 100 |
+
}
|
| 101 |
+
}
|
| 102 |
+
break; /* Process one read then exit */
|
| 103 |
+
}
|
| 104 |
+
|
| 105 |
+
/* Cleanup */
|
| 106 |
+
for (int i = 0; i < MAX_CHUNKS; i++) {
|
| 107 |
+
if (chunks[i].data) free(chunks[i].data);
|
| 108 |
+
}
|
| 109 |
+
return 0;
|
| 110 |
+
}
|
heaptrm/integrations/fuzzer.py
ADDED
|
@@ -0,0 +1,389 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
#!/usr/bin/env python3
|
| 2 |
+
"""
|
| 3 |
+
fuzzer.py - HeapTRM-guided fuzzer for heap exploit discovery.
|
| 4 |
+
|
| 5 |
+
Uses the v2 harness as an oracle: mutates inputs, scores heap states,
|
| 6 |
+
evolves toward exploit-triggering inputs.
|
| 7 |
+
|
| 8 |
+
Two modes:
|
| 9 |
+
1. Standalone: fuzz a binary that reads from stdin
|
| 10 |
+
2. AFL post-processor: score AFL inputs for heap exploit potential
|
| 11 |
+
|
| 12 |
+
Usage:
|
| 13 |
+
# Standalone fuzzing
|
| 14 |
+
from heaptrm.integrations.fuzzer import HeapFuzzer
|
| 15 |
+
fuzzer = HeapFuzzer("./target_binary")
|
| 16 |
+
fuzzer.run(max_iterations=10000)
|
| 17 |
+
|
| 18 |
+
# CLI
|
| 19 |
+
python -m heaptrm.integrations.fuzzer ./target_binary --seeds seeds/ --output findings/
|
| 20 |
+
"""
|
| 21 |
+
|
| 22 |
+
import os
|
| 23 |
+
import sys
|
| 24 |
+
import json
|
| 25 |
+
import random
|
| 26 |
+
import subprocess
|
| 27 |
+
import tempfile
|
| 28 |
+
import shutil
|
| 29 |
+
import time
|
| 30 |
+
import hashlib
|
| 31 |
+
from pathlib import Path
|
| 32 |
+
from dataclasses import dataclass, field
|
| 33 |
+
from typing import List, Optional, Set
|
| 34 |
+
from collections import defaultdict
|
| 35 |
+
|
| 36 |
+
# Find package root
|
| 37 |
+
_PKG_ROOT = Path(__file__).parent.parent
|
| 38 |
+
|
| 39 |
+
|
| 40 |
+
@dataclass
|
| 41 |
+
class FuzzInput:
|
| 42 |
+
data: bytes
|
| 43 |
+
score: float = 0.0
|
| 44 |
+
corruptions: int = 0
|
| 45 |
+
corruption_types: set = field(default_factory=set)
|
| 46 |
+
n_states: int = 0
|
| 47 |
+
generation: int = 0
|
| 48 |
+
parent_hash: str = ""
|
| 49 |
+
|
| 50 |
+
|
| 51 |
+
@dataclass
|
| 52 |
+
class FuzzStats:
|
| 53 |
+
iterations: int = 0
|
| 54 |
+
executions: int = 0
|
| 55 |
+
crashes: int = 0
|
| 56 |
+
corruptions_found: int = 0
|
| 57 |
+
unique_corruption_types: set = field(default_factory=set)
|
| 58 |
+
best_score: float = 0.0
|
| 59 |
+
corpus_size: int = 0
|
| 60 |
+
start_time: float = 0.0
|
| 61 |
+
|
| 62 |
+
|
| 63 |
+
class HeapFuzzer:
|
| 64 |
+
"""
|
| 65 |
+
Mutation-based fuzzer guided by heap exploit detection.
|
| 66 |
+
|
| 67 |
+
Fitness = corruption_count * 100 + ml_exploit_score * 10 + n_heap_states
|
| 68 |
+
|
| 69 |
+
Inputs that trigger heap corruptions are saved as findings.
|
| 70 |
+
"""
|
| 71 |
+
|
| 72 |
+
def __init__(
|
| 73 |
+
self,
|
| 74 |
+
binary: str,
|
| 75 |
+
args: list = None,
|
| 76 |
+
seeds: list = None,
|
| 77 |
+
output_dir: str = "heaptrm_findings",
|
| 78 |
+
harness_path: str = None,
|
| 79 |
+
):
|
| 80 |
+
self.binary = binary
|
| 81 |
+
self.args = args or []
|
| 82 |
+
self.output_dir = Path(output_dir)
|
| 83 |
+
self.output_dir.mkdir(parents=True, exist_ok=True)
|
| 84 |
+
(self.output_dir / "crashes").mkdir(exist_ok=True)
|
| 85 |
+
(self.output_dir / "corruptions").mkdir(exist_ok=True)
|
| 86 |
+
(self.output_dir / "interesting").mkdir(exist_ok=True)
|
| 87 |
+
|
| 88 |
+
# Find harness
|
| 89 |
+
if harness_path:
|
| 90 |
+
self.harness = harness_path
|
| 91 |
+
else:
|
| 92 |
+
candidates = [
|
| 93 |
+
_PKG_ROOT / "harness" / "heapgrid_v2.so",
|
| 94 |
+
_PKG_ROOT.parent / "harness" / "heapgrid_harness.so",
|
| 95 |
+
]
|
| 96 |
+
self.harness = None
|
| 97 |
+
for c in candidates:
|
| 98 |
+
if c.exists():
|
| 99 |
+
self.harness = str(c.resolve())
|
| 100 |
+
break
|
| 101 |
+
if not self.harness:
|
| 102 |
+
raise FileNotFoundError("Cannot find harness .so")
|
| 103 |
+
|
| 104 |
+
# Corpus
|
| 105 |
+
self.corpus: List[FuzzInput] = []
|
| 106 |
+
self.seen_hashes: Set[str] = set()
|
| 107 |
+
self.stats = FuzzStats()
|
| 108 |
+
|
| 109 |
+
# Load seeds
|
| 110 |
+
if seeds:
|
| 111 |
+
for seed in seeds:
|
| 112 |
+
if isinstance(seed, bytes):
|
| 113 |
+
self._add_to_corpus(FuzzInput(data=seed))
|
| 114 |
+
elif Path(seed).is_file():
|
| 115 |
+
self._add_to_corpus(FuzzInput(data=Path(seed).read_bytes()))
|
| 116 |
+
elif Path(seed).is_dir():
|
| 117 |
+
for f in Path(seed).iterdir():
|
| 118 |
+
if f.is_file():
|
| 119 |
+
self._add_to_corpus(FuzzInput(data=f.read_bytes()))
|
| 120 |
+
|
| 121 |
+
# Default seed if empty
|
| 122 |
+
if not self.corpus:
|
| 123 |
+
self._add_to_corpus(FuzzInput(data=b"A" * 64))
|
| 124 |
+
self._add_to_corpus(FuzzInput(data=b"\x00" * 64))
|
| 125 |
+
self._add_to_corpus(FuzzInput(data=bytes(range(256))))
|
| 126 |
+
|
| 127 |
+
def _input_hash(self, data: bytes) -> str:
|
| 128 |
+
return hashlib.sha256(data).hexdigest()[:16]
|
| 129 |
+
|
| 130 |
+
def _add_to_corpus(self, inp: FuzzInput) -> bool:
|
| 131 |
+
h = self._input_hash(inp.data)
|
| 132 |
+
if h in self.seen_hashes:
|
| 133 |
+
return False
|
| 134 |
+
self.seen_hashes.add(h)
|
| 135 |
+
self.corpus.append(inp)
|
| 136 |
+
return True
|
| 137 |
+
|
| 138 |
+
def _execute(self, data: bytes) -> dict:
|
| 139 |
+
"""Run binary with input, return heap analysis results."""
|
| 140 |
+
dump_path = tempfile.mktemp(suffix=".jsonl")
|
| 141 |
+
|
| 142 |
+
env = os.environ.copy()
|
| 143 |
+
env["LD_PRELOAD"] = self.harness
|
| 144 |
+
env["HEAPGRID_OUT"] = dump_path
|
| 145 |
+
|
| 146 |
+
cmd = [self.binary] + self.args
|
| 147 |
+
|
| 148 |
+
try:
|
| 149 |
+
result = subprocess.run(
|
| 150 |
+
cmd, input=data, env=env,
|
| 151 |
+
capture_output=True, timeout=5,
|
| 152 |
+
)
|
| 153 |
+
crashed = result.returncode < 0 # signal
|
| 154 |
+
except subprocess.TimeoutExpired:
|
| 155 |
+
crashed = False
|
| 156 |
+
|
| 157 |
+
# Parse dump
|
| 158 |
+
states = []
|
| 159 |
+
total_corruptions = 0
|
| 160 |
+
corruption_types = set()
|
| 161 |
+
|
| 162 |
+
if os.path.exists(dump_path):
|
| 163 |
+
try:
|
| 164 |
+
with open(dump_path) as f:
|
| 165 |
+
for line in f:
|
| 166 |
+
if line.strip():
|
| 167 |
+
state = json.loads(line.strip())
|
| 168 |
+
states.append(state)
|
| 169 |
+
cc = state.get("corruption_count", 0)
|
| 170 |
+
if cc > 0:
|
| 171 |
+
total_corruptions += cc
|
| 172 |
+
for c in state.get("corruptions", []):
|
| 173 |
+
corruption_types.add(c.get("type", "unknown"))
|
| 174 |
+
except Exception:
|
| 175 |
+
pass
|
| 176 |
+
os.unlink(dump_path)
|
| 177 |
+
|
| 178 |
+
self.stats.executions += 1
|
| 179 |
+
|
| 180 |
+
return {
|
| 181 |
+
"n_states": len(states),
|
| 182 |
+
"corruptions": total_corruptions,
|
| 183 |
+
"corruption_types": corruption_types,
|
| 184 |
+
"crashed": crashed,
|
| 185 |
+
}
|
| 186 |
+
|
| 187 |
+
def _score(self, result: dict) -> float:
|
| 188 |
+
"""Score an execution result. Higher = more interesting."""
|
| 189 |
+
score = 0.0
|
| 190 |
+
score += result["corruptions"] * 100 # corruptions are gold
|
| 191 |
+
score += result["n_states"] * 0.1 # more heap ops = more surface
|
| 192 |
+
if result["crashed"]:
|
| 193 |
+
score += 50 # crashes are interesting
|
| 194 |
+
return score
|
| 195 |
+
|
| 196 |
+
def _mutate(self, data: bytes) -> bytes:
|
| 197 |
+
"""Mutate input data."""
|
| 198 |
+
if len(data) == 0:
|
| 199 |
+
return bytes([random.randint(0, 255)])
|
| 200 |
+
|
| 201 |
+
data = bytearray(data)
|
| 202 |
+
n_mutations = random.randint(1, max(1, len(data) // 8))
|
| 203 |
+
|
| 204 |
+
for _ in range(n_mutations):
|
| 205 |
+
strategy = random.choice([
|
| 206 |
+
"flip_byte", "flip_bit", "interesting_value",
|
| 207 |
+
"insert", "delete", "splice", "repeat_block",
|
| 208 |
+
])
|
| 209 |
+
|
| 210 |
+
if strategy == "flip_byte" and data:
|
| 211 |
+
pos = random.randint(0, len(data) - 1)
|
| 212 |
+
data[pos] = random.randint(0, 255)
|
| 213 |
+
|
| 214 |
+
elif strategy == "flip_bit" and data:
|
| 215 |
+
pos = random.randint(0, len(data) - 1)
|
| 216 |
+
bit = random.randint(0, 7)
|
| 217 |
+
data[pos] ^= (1 << bit)
|
| 218 |
+
|
| 219 |
+
elif strategy == "interesting_value" and data:
|
| 220 |
+
pos = random.randint(0, len(data) - 1)
|
| 221 |
+
interesting = [0, 1, 0x7f, 0x80, 0xff, 0x41, 0x00,
|
| 222 |
+
0xfe, 0xfd, 0x20, 0x0a, 0x0d]
|
| 223 |
+
data[pos] = random.choice(interesting)
|
| 224 |
+
|
| 225 |
+
elif strategy == "insert":
|
| 226 |
+
pos = random.randint(0, len(data))
|
| 227 |
+
val = random.randint(0, 255)
|
| 228 |
+
count = random.randint(1, 16)
|
| 229 |
+
data[pos:pos] = bytes([val] * count)
|
| 230 |
+
|
| 231 |
+
elif strategy == "delete" and len(data) > 1:
|
| 232 |
+
pos = random.randint(0, len(data) - 1)
|
| 233 |
+
count = random.randint(1, min(16, len(data) - pos))
|
| 234 |
+
del data[pos:pos + count]
|
| 235 |
+
|
| 236 |
+
elif strategy == "splice" and len(data) > 4:
|
| 237 |
+
src = random.randint(0, len(data) - 4)
|
| 238 |
+
dst = random.randint(0, len(data) - 1)
|
| 239 |
+
length = random.randint(1, min(16, len(data) - src))
|
| 240 |
+
data[dst:dst + length] = data[src:src + length]
|
| 241 |
+
|
| 242 |
+
elif strategy == "repeat_block" and len(data) > 2:
|
| 243 |
+
pos = random.randint(0, len(data) - 2)
|
| 244 |
+
length = random.randint(1, min(8, len(data) - pos))
|
| 245 |
+
block = data[pos:pos + length]
|
| 246 |
+
insert_pos = random.randint(0, len(data))
|
| 247 |
+
data[insert_pos:insert_pos] = block * random.randint(2, 8)
|
| 248 |
+
|
| 249 |
+
# Clamp size
|
| 250 |
+
if len(data) > 4096:
|
| 251 |
+
data = data[:4096]
|
| 252 |
+
|
| 253 |
+
return bytes(data)
|
| 254 |
+
|
| 255 |
+
def _select_parent(self) -> FuzzInput:
|
| 256 |
+
"""Select a parent input, biased toward higher scores."""
|
| 257 |
+
if not self.corpus:
|
| 258 |
+
return FuzzInput(data=b"A" * 64)
|
| 259 |
+
|
| 260 |
+
# Tournament selection
|
| 261 |
+
k = min(5, len(self.corpus))
|
| 262 |
+
candidates = random.sample(self.corpus, k)
|
| 263 |
+
return max(candidates, key=lambda x: x.score)
|
| 264 |
+
|
| 265 |
+
def _save_finding(self, inp: FuzzInput, category: str):
|
| 266 |
+
"""Save an interesting input."""
|
| 267 |
+
h = self._input_hash(inp.data)
|
| 268 |
+
path = self.output_dir / category / f"{h}.bin"
|
| 269 |
+
path.write_bytes(inp.data)
|
| 270 |
+
|
| 271 |
+
meta = self.output_dir / category / f"{h}.json"
|
| 272 |
+
meta.write_text(json.dumps({
|
| 273 |
+
"hash": h,
|
| 274 |
+
"score": inp.score,
|
| 275 |
+
"corruptions": inp.corruptions,
|
| 276 |
+
"corruption_types": list(inp.corruption_types),
|
| 277 |
+
"n_states": inp.n_states,
|
| 278 |
+
"generation": inp.generation,
|
| 279 |
+
"size": len(inp.data),
|
| 280 |
+
}, indent=2))
|
| 281 |
+
|
| 282 |
+
def run(self, max_iterations: int = 10000, print_every: int = 100):
|
| 283 |
+
"""Run the fuzzer."""
|
| 284 |
+
self.stats.start_time = time.time()
|
| 285 |
+
|
| 286 |
+
print(f"HeapTRM Fuzzer")
|
| 287 |
+
print(f" Binary: {self.binary}")
|
| 288 |
+
print(f" Harness: {self.harness}")
|
| 289 |
+
print(f" Corpus: {len(self.corpus)} seeds")
|
| 290 |
+
print(f" Output: {self.output_dir}")
|
| 291 |
+
print()
|
| 292 |
+
|
| 293 |
+
# Initial scoring of seeds
|
| 294 |
+
for inp in self.corpus:
|
| 295 |
+
result = self._execute(inp.data)
|
| 296 |
+
inp.score = self._score(result)
|
| 297 |
+
inp.n_states = result["n_states"]
|
| 298 |
+
inp.corruptions = result["corruptions"]
|
| 299 |
+
inp.corruption_types = result["corruption_types"]
|
| 300 |
+
|
| 301 |
+
for iteration in range(max_iterations):
|
| 302 |
+
self.stats.iterations = iteration + 1
|
| 303 |
+
|
| 304 |
+
# Select and mutate
|
| 305 |
+
parent = self._select_parent()
|
| 306 |
+
mutated_data = self._mutate(parent.data)
|
| 307 |
+
|
| 308 |
+
# Execute
|
| 309 |
+
result = self._execute(mutated_data)
|
| 310 |
+
score = self._score(result)
|
| 311 |
+
|
| 312 |
+
child = FuzzInput(
|
| 313 |
+
data=mutated_data,
|
| 314 |
+
score=score,
|
| 315 |
+
corruptions=result["corruptions"],
|
| 316 |
+
corruption_types=result["corruption_types"],
|
| 317 |
+
n_states=result["n_states"],
|
| 318 |
+
generation=parent.generation + 1,
|
| 319 |
+
parent_hash=self._input_hash(parent.data),
|
| 320 |
+
)
|
| 321 |
+
|
| 322 |
+
# Track findings
|
| 323 |
+
if result["crashed"]:
|
| 324 |
+
self.stats.crashes += 1
|
| 325 |
+
self._save_finding(child, "crashes")
|
| 326 |
+
|
| 327 |
+
if result["corruptions"] > 0:
|
| 328 |
+
self.stats.corruptions_found += 1
|
| 329 |
+
self.stats.unique_corruption_types.update(result["corruption_types"])
|
| 330 |
+
self._save_finding(child, "corruptions")
|
| 331 |
+
|
| 332 |
+
# Add to corpus if interesting
|
| 333 |
+
if score > 0 and self._add_to_corpus(child):
|
| 334 |
+
self.stats.corpus_size = len(self.corpus)
|
| 335 |
+
if score > self.stats.best_score:
|
| 336 |
+
self.stats.best_score = score
|
| 337 |
+
self._save_finding(child, "interesting")
|
| 338 |
+
|
| 339 |
+
# Status
|
| 340 |
+
if (iteration + 1) % print_every == 0:
|
| 341 |
+
elapsed = time.time() - self.stats.start_time
|
| 342 |
+
exec_per_sec = self.stats.executions / max(elapsed, 0.1)
|
| 343 |
+
print(f" iter={iteration+1:6d} | exec={self.stats.executions} "
|
| 344 |
+
f"({exec_per_sec:.0f}/s) | corpus={len(self.corpus)} | "
|
| 345 |
+
f"crashes={self.stats.crashes} | "
|
| 346 |
+
f"corruptions={self.stats.corruptions_found} | "
|
| 347 |
+
f"best={self.stats.best_score:.0f} | "
|
| 348 |
+
f"types={self.stats.unique_corruption_types or 'none'}")
|
| 349 |
+
|
| 350 |
+
# Final summary
|
| 351 |
+
elapsed = time.time() - self.stats.start_time
|
| 352 |
+
print()
|
| 353 |
+
print(f"=== Fuzzing Complete ===")
|
| 354 |
+
print(f" Duration: {elapsed:.1f}s")
|
| 355 |
+
print(f" Executions: {self.stats.executions} ({self.stats.executions/max(elapsed,0.1):.0f}/s)")
|
| 356 |
+
print(f" Crashes: {self.stats.crashes}")
|
| 357 |
+
print(f" Corruption findings: {self.stats.corruptions_found}")
|
| 358 |
+
print(f" Corruption types: {self.stats.unique_corruption_types or 'none'}")
|
| 359 |
+
print(f" Corpus: {len(self.corpus)} inputs")
|
| 360 |
+
print(f" Findings in: {self.output_dir}")
|
| 361 |
+
|
| 362 |
+
return self.stats
|
| 363 |
+
|
| 364 |
+
|
| 365 |
+
def main():
|
| 366 |
+
import argparse
|
| 367 |
+
parser = argparse.ArgumentParser(description="HeapTRM-guided heap fuzzer")
|
| 368 |
+
parser.add_argument("binary", help="Target binary")
|
| 369 |
+
parser.add_argument("args", nargs="*", help="Binary arguments")
|
| 370 |
+
parser.add_argument("--seeds", help="Seed directory or file")
|
| 371 |
+
parser.add_argument("--output", default="heaptrm_findings", help="Output directory")
|
| 372 |
+
parser.add_argument("--iterations", type=int, default=10000)
|
| 373 |
+
parser.add_argument("--harness", help="Path to heapgrid harness .so")
|
| 374 |
+
|
| 375 |
+
args = parser.parse_args()
|
| 376 |
+
|
| 377 |
+
seeds = [args.seeds] if args.seeds else None
|
| 378 |
+
fuzzer = HeapFuzzer(
|
| 379 |
+
args.binary,
|
| 380 |
+
args=args.args,
|
| 381 |
+
seeds=seeds,
|
| 382 |
+
output_dir=args.output,
|
| 383 |
+
harness_path=args.harness,
|
| 384 |
+
)
|
| 385 |
+
fuzzer.run(max_iterations=args.iterations)
|
| 386 |
+
|
| 387 |
+
|
| 388 |
+
if __name__ == "__main__":
|
| 389 |
+
main()
|