rr
Low overhead recording and replay of applications (trees of
processes and threads).
Record nondeterministic inputs, replay deterministically.
Offline debugging: record intermittent test failures "at scale"
online, debug the recordings offline at leisure.
Deterministic debugging: record nondeterministic failure once,
replay deterministically forever.
Omniscient debugging: step backwards in time; issue queries over
program state changes.
rr record prog --args
→saves recording to trace/
rr replay trace/
→debugger socket drives replay
Most of an application's execution is deterministic.
rr records the nondeterministic parts.
Examples of nondeterministic inputs
clock_gettime(...&now);
read(fd, buf,
4096);
__asm__("rdtsc")
ioctl(...)
- UNIX signals...
Then during replay, emulate system calls and rdtsc
by writing the saved nondeterministic data back to the tracee.
Shared-memory multitasking is a nondeterministic "input".
... but modern hardware can't record it efficiently. So rr
doesn't record truly parallel executions.
Scheduling tasks
Can switch tasks at syscalls. Must preempt straight-line code
too; and replay the preemptions deterministically.
Hardware performance counters (HPCs)
Recent chips count instructions-retired, branches-retired,
..., and can be programmed to interrupt after a count
of x.
Simulate task preemption with HPC interrupts.
Idea: program insns-retired counter to interrupt
after k ✱. That k approximates
a time slice.
Replaying preemption
Record the insn-retired counter value v to the trace file.
During replay, program the interrupt for v. Voilà.
UNIX signals are recorded and replayed like task preemptions.
Record counter value v and signum. Replay by interrupting
after v and "delivering" signum.
Basic requirements
- x86 userspace (x86-64 kernel OK)
- linux with "precise event-based sampling" (PEBS; perf events)
support: >= 3.0
- (optional) linux with seccomp-bpf support: >=
3.5
rr touches low-level details of machine architecture, by
necessity; f.e. kernel syscall ABI.
Supporting more ISAs is "just work"; expect x86-64 in the
future.
Precise HPC events identify points in execution.
Precise replay of signals and preemption requires interrupting
tracees at these events.
✱Performance counters are messier in reality
- Insns-retired counter is imprecise. Use precise
retired-branch counter instead.
- Counter interrupts can overshoot. Subtract a "skid
region".
- (So replay point is technically indeterminate. But
doesn't seem to be a problem in practice, yet.)
seccomp-bpf enables rr to selectively trace
syscalls.
Only trap to rr for syscalls that can't be handled in the tracee.
Over 100x faster in µbenchmarks.
Buffer syscalls; flush buffer as "super event"
TODO DIAGRAM
No ASLR or ptrace hardening
TODO
Tasks are controlled through the ptrace API.
HPCs are controlled through the perf event API.
The first traced task is forked from rr. After
that, clone()
and fork()
from tracees
add new tasks.
And tasks die at exit()
.
Simplified recorder loop
while live_task():
task t = schedule()
if not status_changed(t):
resume_execution(t)
handle_event(t)
Scheduling a task
task schedule():
for each task t, round-robin:
if is_runnable(t)
or status_changed(t):
return t
tid = waitpid(ANY_CHILD_TASK)
return task_map[tid]
Tasks changing status
bool status_changed(task t):
# Non-blocking
return waitpid(t.tid, WNOHANG)
# Deceptively simple: includes
# syscalls, signals, ptrace
# events ...
Resuming task execution
Invariant: At most one task is running userspace code.
All other tasks are either idle or awaiting completion of a
syscall.†
Multiple running tasks are nondeterministic
TODO EXAMPLE RACE, SYSCALL DIVERGENCE
Resuming a task, simplified
void resume_execution(task t):
ptrace(PTRACE_SYSCALL, t.tid)
waitpid(t.tid) # Blocking
# Again, deceptively simple: traps
# for syscalls, signals, ptrace
# events ...
Most recorder work is done
for handle_event(task
t)
.
But before looking at it, a few digressions ...
Generating time-slice interrupts
perf_event_open()
fd for
retired-conditional-branches; details are microarch
specific
- Set event "sample period" to k
- Make event fd O_ASYNC and set tracee task as owner
- → tracee sent SIGIO at rbc ≈ k
Trapping tracees at rdtsc
prctl(PR_SET_TSC, PR_TSC_SIGSEGV)
→ tracees
executing rdtsc trap to SIGSEGV
- rr examines which instruction triggered SIGSEGV
- if rdtsc, value is recorded and insn is emulated
Tracees generate ptrace events by executing fork, clone, exit,
and some other syscalls.
ptrace events exist for linux reasons that aren't
interesting.
(rr tracees can share memory mappings with other processes.
Not possible to record efficiently in SW; needs kernel and/or HW
support. Unsupported until then.)
Tracee events seen
by handle_event()
- "Pseudo"-signal delivered by implementation of rdtsc or
time-slice interrupts
- Other, "real", signals
- ptrace events
- Syscall entry and exit
handle_event() structure
TODO
Some syscalls must be executed atomically; can't switch task
until syscall finishes.
TODO mmap example
On the other hand, some syscalls require switching;
syscall can't finish until the task switches.
TODO waitpid example
Scratch buffers for blocking syscalls
TODO
Recording signal delivery
TODO
Finishing signal handlers
TODO
Delivering unhandled signals
TODO
†This breaks the rr scheduling invariant.
ptrace traps are expensive. Do as much work in tracee process as
possible.
Use seccomp-bpf to selectively trap syscalls.
Syscall hooks are LD_PRELOAD
'd into tracees.
Hooks record kernel return value and outparam data to
the syscall buffer.
rr monkeypatches __kernel_vsyscall()
in vdso to jump
to rr trampoline.
Trampoline calls dispatcher, which calls rr hook if
available.
Untraced syscalls are recorded to syscallbuf by tracee.
Traced events recorded by the rr process "flush" the
tracee's syscallbuf.
Lib falls back on traced syscalls.
Simplified example of wrapper function
static int sys_close(int fd)
{
long ret;
if (!start_buffer_syscall(SYS_close))
/* Fall back on traced syscall. */
return syscall(SYS_close, fd);
/* Buffer this close() call. */
ret = untraced_syscall1(SYS_close, fd);
return commit_syscall(SYS_close, ret);
}
How untraced syscalls are made
resume_execution changes for PTRACE_SECCOMP events
TODO
Syscallbuf hooks of may-block syscalls
TODO
perf events to the rescue: "descheduled" event
TODO
Handling "desched notifications"
TODO
Trace directory contents
- TODO
arg_env
trace
mmaps
raw_data
syscall_input
Emulate most syscalls using trace data.
Actually execute a small number.
Built around PTRACE_SYSEMU
TODO show difference from
PTRACE_SYSCALL
Replaying time-slice interrupts, in theory
TODO
Replaying time-slice interrupts, in practice
- TODOCompare register files to
approximate exact execution point
- TODOSet a breakpoint on target
$ip to avoid single-stepping
Replaying buffered syscalls
TODO
(gdb) set i 10
can cause replay divergence.
So you're not allowed to do it.
Light wrapper around gdb protocol
TODO
Replayer core passes through to ptrace requests of tracee
TODO
SIGTRAP, SIGTRAP, SIGTRAP; breakpoints, int3, stepi
TODOdistinguishing causes of
traps
Roadmap for near future
TODO
Omniscient debugging
TODO
Exploratory scheduling; targeted recording
TODO
Copy traces across machines
TODO
Record shared-memory multithreading
TODO
Port, port, port
TODO
- GPU drivers (NVIDIA, ATI, ...)
- Windows NT kernel
- Darwin kernel
ARM port not possible with current tech
Use cases
- Run on modern, commodity hardware and software:
yum
install rr; rr record
…
- Aspire to general tool, focus on Firefox initially
- Record nondeterministic test failures at scale (e.g., Firefox
build/test infra), debug offline
- "Super-debugger" for local development
- Search execution space to actively find bugs
Design concerns
- Commodity HW → only record single HW thread (for
now!)
- Commodity SW → stick to higher-level userspace APIs
(e.g., ptrace, PEBS)
- Record tests at scale → record perf must be "economical",
but not mission-critical
- "Super-debugger" → the usual, plus queries over execution
history; pretty fast replay
- Search exe space → flexible scheduling and
checkpointing
rr recorder overview
- Record "applications" consisting of linux tasks
- Schedule CPU slices by programming precise counter interrupt
(retired branches, RBC) for k
- Time slice is special case of signal: time-slice recorded as
(0, rec-RBC), signals (signum, rec-RBC)
- Record kernel-created signal stack
- Syscall "outparams" and
rdtsc
generate trace
traps; results saved to log
- Plus a "faster" mode we'll cover later
Trade-off: scheduling from userspace
- While it's great to fully control scheduling ...
- ... we have to approximate timeslices; can be unfair
- ... interactive programs don't "feel" native; rr has its own
heuristics
- ... can be slower
- Future work is to have the option of both
Headache: kernel writes racing with userspace
- rr doesn't (can't efficiently) record reads/writes of memory
shared outside of tracee application.
- But there are still hazards with the kernel:
- ... kernel-write/task-read hazard on syscall outparam buffers
→ rr replaces user buffers with scratch and serializes
writes
- ... kernel-write/task-read on random futexes,
e.g. CLONE_CHILD_CLEARTID → no good solution yet;
usleep…
rr replayer overview
- Replay signal/time-slice (signum, rec-RBC) by
programming interrupt for rec-RBC
- Emulate signals by restoring signal stack and regs
- Emulate syscalls by restoring outparams where possible
- Execute non-emulatable clone/mmap/et al. as required
- Serve debugger requests (maybe covered later)
Replayer headache: slack in counter interrupts
- Interrupt programmed for RBC = k may actually fire at
up to RBC = k + slack
- (Slack empirically seen to be >= 70 branches)
- So we program interrupt for RBC = k - slack and then
advance by breakpoint+stepi
- "At target" when rec-RBC == rep-RBC and [rec-regs]
== [rep-regs]
- Replay target therefore technically indeterminate
Recorder "fast mode": syscall buffering
- ptrace traps are slow
- Idea: avoid them when possible by buffering log data
in tracee task
- Implementation: LD_PRELOAD a helper library with hooks for
common syscalls (read, write, gettimeofday, etc.)
- Hook makes fast untraced syscall, saves outparams in
task-local buffer
- Flush buffer at traced event (including buffer overflow)
Headache: many syscalls made internally in glibc
- Those syscalls can't be wrapped by usual approach of
interposing exported symbol using LD_PRELOAD
- Solution: monkeypatch
__kernel_vsyscall()
in
vdso.
- Syscalls directly made through
int $0x80
still
can't be buffered.
- We hope this terrible hack evolves into kernel support.
Headache: buffering syscalls that may block
- read/write/… may block if buffer empty/full/…
- But, untraced syscall from wrapper means no trap to
rr for scheduling arbitration
- If another tracee is blocked too, then may deadlock
- Solution: libc wrapper programs perf_event interrupt triggered
by next context-switch of task
- If the syscall blocks, task is switched out, and rr tracer
gets interrupt (SIGIO from perf_event)
Fun debugging tricks
- Save register / RBC info at all events, verify in replay
- Generate memory checksums at selected events, verify in
replay
- LLVM pass to add "execution path logging" (Bell-Larus): poor
man's log of retired branches. Save to "magic fd" in recording,
verify in replay.
- Hack replayer itself to efficiently log arbitrary info at
arbitrary points