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
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
|
// Copyright 2024 syzkaller project authors. All rights reserved.
// Use of this source code is governed by Apache 2 LICENSE that can be found in the LICENSE file.
package rpcserver
import (
"bytes"
"context"
"errors"
"fmt"
"slices"
"sort"
"strings"
"sync"
"sync/atomic"
"github.com/google/syzkaller/pkg/cover"
"github.com/google/syzkaller/pkg/cover/backend"
"github.com/google/syzkaller/pkg/flatrpc"
"github.com/google/syzkaller/pkg/fuzzer/queue"
"github.com/google/syzkaller/pkg/log"
"github.com/google/syzkaller/pkg/mgrconfig"
"github.com/google/syzkaller/pkg/report"
"github.com/google/syzkaller/pkg/signal"
"github.com/google/syzkaller/pkg/stat"
"github.com/google/syzkaller/pkg/vminfo"
"github.com/google/syzkaller/prog"
"github.com/google/syzkaller/sys/targets"
"github.com/google/syzkaller/vm/dispatcher"
)
type Config struct {
vminfo.Config
Stats
VMArch string
VMType string
RPC string
VMLess bool
// Hash adjacent PCs to form fuzzing feedback signal (otherwise just use coverage PCs as signal).
UseCoverEdges bool
// Filter signal/comparisons against target kernel text/data ranges.
// Disabled for gVisor/Starnix which are not Linux.
FilterSignal bool
PrintMachineCheck bool
// Abort early on syz-executor not replying to requests and print extra debugging information.
DebugTimeouts bool
Procs int
Slowdown int
pcBase uint64
localModules []*vminfo.KernelModule
}
//go:generate ../../tools/mockery.sh --name Manager --output ./mocks
type Manager interface {
MaxSignal() signal.Signal
BugFrames() (leaks []string, races []string)
MachineChecked(features flatrpc.Feature, syscalls map[*prog.Syscall]bool) queue.Source
CoverageFilter(modules []*vminfo.KernelModule) []uint64
}
type Server interface {
Listen() error
Close() error
Port() int
TriagedCorpus()
CreateInstance(id int, injectExec chan<- bool, updInfo dispatcher.UpdateInfo) chan error
ShutdownInstance(id int, crashed bool, extraExecs ...report.ExecutorInfo) ([]ExecRecord, []byte)
StopFuzzing(id int)
DistributeSignalDelta(plus signal.Signal)
}
type server struct {
cfg *Config
mgr Manager
serv *flatrpc.Serv
target *prog.Target
sysTarget *targets.Target
timeouts targets.Timeouts
checker *vminfo.Checker
infoOnce sync.Once
checkDone atomic.Bool
checkFailures int
baseSource *queue.DynamicSourceCtl
setupFeatures flatrpc.Feature
canonicalModules *cover.Canonicalizer
coverFilter []uint64
mu sync.Mutex
runners map[int]*Runner
execSource *queue.Distributor
triagedCorpus atomic.Bool
Stats
*runnerStats
}
type Stats struct {
StatExecs *stat.Val
StatNumFuzzing *stat.Val
StatVMRestarts *stat.Val
}
func NewStats() Stats {
return Stats{
StatExecs: stat.New("exec total", "Total test program executions",
stat.Console, stat.Rate{}, stat.Prometheus("syz_exec_total")),
StatNumFuzzing: stat.New("fuzzing VMs",
"Number of VMs that are currently fuzzing", stat.Graph("fuzzing VMs")),
StatVMRestarts: stat.New("vm restarts", "Total number of VM starts",
stat.Rate{}, stat.NoGraph),
}
}
func New(cfg *mgrconfig.Config, mgr Manager, stats Stats, debug bool) (Server, error) {
var pcBase uint64
if cfg.KernelObj != "" {
var err error
pcBase, err = cover.GetPCBase(cfg)
if err != nil {
return nil, err
}
}
sandbox, err := flatrpc.SandboxToFlags(cfg.Sandbox)
if err != nil {
return nil, err
}
features := flatrpc.AllFeatures
if !cfg.Experimental.RemoteCover {
features &= ^flatrpc.FeatureExtraCoverage
}
return newImpl(context.Background(), &Config{
Config: vminfo.Config{
Target: cfg.Target,
VMType: cfg.Type,
Features: features,
Syscalls: cfg.Syscalls,
Debug: debug,
Cover: cfg.Cover,
Sandbox: sandbox,
SandboxArg: cfg.SandboxArg,
},
Stats: stats,
VMArch: cfg.TargetVMArch,
RPC: cfg.RPC,
VMLess: cfg.VMLess,
// gVisor coverage is not a trace, so producing edges won't work.
UseCoverEdges: cfg.Experimental.CoverEdges && cfg.Type != targets.GVisor,
// gVisor/Starnix are not Linux, so filtering against Linux ranges won't work.
FilterSignal: cfg.Type != targets.GVisor && cfg.Type != targets.Starnix,
PrintMachineCheck: true,
Procs: cfg.Procs,
Slowdown: cfg.Timeouts.Slowdown,
pcBase: pcBase,
localModules: cfg.LocalModules,
}, mgr), nil
}
func newImpl(ctx context.Context, cfg *Config, mgr Manager) *server {
// Note that we use VMArch, rather than Arch. We need the kernel address ranges and bitness.
sysTarget := targets.Get(cfg.Target.OS, cfg.VMArch)
cfg.Procs = min(cfg.Procs, prog.MaxPids)
checker := vminfo.New(ctx, &cfg.Config)
baseSource := queue.DynamicSource(checker)
return &server{
cfg: cfg,
mgr: mgr,
target: cfg.Target,
sysTarget: sysTarget,
timeouts: sysTarget.Timeouts(cfg.Slowdown),
runners: make(map[int]*Runner),
checker: checker,
baseSource: baseSource,
execSource: queue.Distribute(queue.Retry(baseSource)),
Stats: cfg.Stats,
runnerStats: &runnerStats{
statExecRetries: stat.New("exec retries",
"Number of times a test program was restarted because the first run failed",
stat.Rate{}, stat.Graph("executor")),
statExecutorRestarts: stat.New("executor restarts",
"Number of times executor process was restarted", stat.Rate{}, stat.Graph("executor")),
statExecBufferTooSmall: queue.StatExecBufferTooSmall,
statExecs: cfg.Stats.StatExecs,
statNoExecRequests: queue.StatNoExecRequests,
statNoExecDuration: queue.StatNoExecDuration,
},
}
}
func (serv *server) Close() error {
return serv.serv.Close()
}
func (serv *server) Listen() error {
s, err := flatrpc.ListenAndServe(serv.cfg.RPC, serv.handleConn)
if err != nil {
return err
}
serv.serv = s
return nil
}
func (serv *server) Port() int {
return serv.serv.Addr.Port
}
func (serv *server) handleConn(conn *flatrpc.Conn) {
connectReq, err := flatrpc.Recv[*flatrpc.ConnectRequestRaw](conn)
if err != nil {
log.Logf(1, "%s", err)
return
}
id := int(connectReq.Id)
log.Logf(1, "runner %v connected", id)
if serv.cfg.VMLess {
// There is no VM loop, so minic what it would do.
serv.CreateInstance(id, nil, nil)
defer func() {
serv.StopFuzzing(id)
serv.ShutdownInstance(id, true)
}()
} else if err := checkRevisions(connectReq, serv.cfg.Target); err != nil {
log.Fatal(err)
}
serv.StatVMRestarts.Add(1)
serv.mu.Lock()
runner := serv.runners[id]
serv.mu.Unlock()
if runner == nil {
log.Logf(2, "unknown VM %v tries to connect", id)
return
}
err = serv.handleRunnerConn(runner, conn)
log.Logf(2, "runner %v: %v", id, err)
runner.resultCh <- err
}
func (serv *server) handleRunnerConn(runner *Runner, conn *flatrpc.Conn) error {
opts := &handshakeConfig{
VMLess: serv.cfg.VMLess,
Files: serv.checker.RequiredFiles(),
Timeouts: serv.timeouts,
Callback: serv.handleMachineInfo,
}
opts.LeakFrames, opts.RaceFrames = serv.mgr.BugFrames()
if serv.checkDone.Load() {
opts.Features = serv.setupFeatures
} else {
opts.Files = append(opts.Files, serv.checker.CheckFiles()...)
opts.Globs = serv.target.RequiredGlobs()
opts.Features = serv.cfg.Features
}
err := runner.Handshake(conn, opts)
if err != nil {
log.Logf(1, "%v", err)
return err
}
if serv.triagedCorpus.Load() {
if err := runner.SendCorpusTriaged(); err != nil {
log.Logf(2, "%v", err)
return err
}
}
return serv.connectionLoop(runner)
}
func (serv *server) handleMachineInfo(infoReq *flatrpc.InfoRequestRawT) (handshakeResult, error) {
modules, machineInfo, err := serv.checker.MachineInfo(infoReq.Files)
if err != nil {
log.Logf(0, "parsing of machine info failed: %v", err)
if infoReq.Error == "" {
infoReq.Error = err.Error()
}
}
modules = backend.FixModules(serv.cfg.localModules, modules, serv.cfg.pcBase)
if infoReq.Error != "" {
log.Logf(0, "machine check failed: %v", infoReq.Error)
serv.checkFailures++
if serv.checkFailures == 10 {
log.Fatalf("machine check failing")
}
return handshakeResult{}, errors.New("machine check failed")
}
serv.infoOnce.Do(func() {
serv.canonicalModules = cover.NewCanonicalizer(modules, serv.cfg.Cover)
serv.coverFilter = serv.mgr.CoverageFilter(modules)
globs := make(map[string][]string)
for _, glob := range infoReq.Globs {
globs[glob.Name] = glob.Files
}
serv.target.UpdateGlobs(globs)
// Flatbuffers don't do deep copy of byte slices,
// so clone manually since we pass it a goroutine.
for _, file := range infoReq.Files {
file.Data = slices.Clone(file.Data)
}
// Now execute check programs.
go func() {
if err := serv.runCheck(infoReq.Files, infoReq.Features); err != nil {
log.Fatalf("check failed: %v", err)
}
}()
})
canonicalizer := serv.canonicalModules.NewInstance(modules)
return handshakeResult{
CovFilter: canonicalizer.Decanonicalize(serv.coverFilter),
MachineInfo: machineInfo,
Canonicalizer: canonicalizer,
}, nil
}
func (serv *server) connectionLoop(runner *Runner) error {
if serv.cfg.Cover {
maxSignal := serv.mgr.MaxSignal().ToRaw()
for len(maxSignal) != 0 {
// Split coverage into batches to not grow the connection serialization
// buffer too much (we don't want to grow it larger than what will be needed
// to send programs).
n := min(len(maxSignal), 50000)
if err := runner.SendSignalUpdate(maxSignal[:n]); err != nil {
return err
}
maxSignal = maxSignal[n:]
}
}
serv.StatNumFuzzing.Add(1)
defer serv.StatNumFuzzing.Add(-1)
return runner.ConnectionLoop()
}
func checkRevisions(a *flatrpc.ConnectRequest, target *prog.Target) error {
if target.Arch != a.Arch {
return fmt.Errorf("mismatching manager/executor arches: %v vs %v", target.Arch, a.Arch)
}
if prog.GitRevision != a.GitRevision {
return fmt.Errorf("mismatching manager/executor git revisions: %v vs %v",
prog.GitRevision, a.GitRevision)
}
if target.Revision != a.SyzRevision {
return fmt.Errorf("mismatching manager/executor system call descriptions: %v vs %v",
target.Revision, a.SyzRevision)
}
return nil
}
func (serv *server) runCheck(checkFilesInfo []*flatrpc.FileInfo, checkFeatureInfo []*flatrpc.FeatureInfo) error {
enabledCalls, disabledCalls, features, checkErr := serv.checker.Run(checkFilesInfo, checkFeatureInfo)
enabledCalls, transitivelyDisabled := serv.target.TransitivelyEnabledCalls(enabledCalls)
// Note: need to print disbled syscalls before failing due to an error.
// This helps to debug "all system calls are disabled".
if serv.cfg.PrintMachineCheck {
serv.printMachineCheck(checkFilesInfo, enabledCalls, disabledCalls, transitivelyDisabled, features)
}
if checkErr != nil {
return checkErr
}
enabledFeatures := features.Enabled()
serv.setupFeatures = features.NeedSetup()
newSource := serv.mgr.MachineChecked(enabledFeatures, enabledCalls)
serv.baseSource.Store(newSource)
serv.checkDone.Store(true)
return nil
}
func (serv *server) printMachineCheck(checkFilesInfo []*flatrpc.FileInfo, enabledCalls map[*prog.Syscall]bool,
disabledCalls, transitivelyDisabled map[*prog.Syscall]string, features vminfo.Features) {
buf := new(bytes.Buffer)
if len(serv.cfg.Syscalls) != 0 || log.V(1) {
if len(disabledCalls) != 0 {
var lines []string
for call, reason := range disabledCalls {
lines = append(lines, fmt.Sprintf("%-44v: %v\n", call.Name, reason))
}
sort.Strings(lines)
fmt.Fprintf(buf, "disabled the following syscalls:\n%s\n", strings.Join(lines, ""))
}
if len(transitivelyDisabled) != 0 {
var lines []string
for call, reason := range transitivelyDisabled {
lines = append(lines, fmt.Sprintf("%-44v: %v\n", call.Name, reason))
}
sort.Strings(lines)
fmt.Fprintf(buf, "transitively disabled the following syscalls"+
" (missing resource [creating syscalls]):\n%s\n",
strings.Join(lines, ""))
}
}
hasFileErrors := false
for _, file := range checkFilesInfo {
if file.Error == "" {
continue
}
if !hasFileErrors {
fmt.Fprintf(buf, "failed to read the following files in the VM:\n")
}
fmt.Fprintf(buf, "%-44v: %v\n", file.Name, file.Error)
hasFileErrors = true
}
if hasFileErrors {
fmt.Fprintf(buf, "\n")
}
var lines []string
lines = append(lines, fmt.Sprintf("%-24v: %v/%v\n", "syscalls",
len(enabledCalls), len(serv.cfg.Target.Syscalls)))
for feat, info := range features {
lines = append(lines, fmt.Sprintf("%-24v: %v\n",
flatrpc.EnumNamesFeature[feat], info.Reason))
}
sort.Strings(lines)
buf.WriteString(strings.Join(lines, ""))
fmt.Fprintf(buf, "\n")
log.Logf(0, "machine check:\n%s", buf.Bytes())
}
func (serv *server) CreateInstance(id int, injectExec chan<- bool, updInfo dispatcher.UpdateInfo) chan error {
runner := &Runner{
id: id,
source: serv.execSource,
cover: serv.cfg.Cover,
coverEdges: serv.cfg.UseCoverEdges,
filterSignal: serv.cfg.FilterSignal,
debug: serv.cfg.Debug,
debugTimeouts: serv.cfg.DebugTimeouts,
sysTarget: serv.sysTarget,
injectExec: injectExec,
infoc: make(chan chan []byte),
requests: make(map[int64]*queue.Request),
executing: make(map[int64]bool),
hanged: make(map[int64]bool),
// Executor may report proc IDs that are larger than serv.cfg.Procs.
lastExec: MakeLastExecuting(prog.MaxPids, 6),
stats: serv.runnerStats,
procs: serv.cfg.Procs,
updInfo: updInfo,
resultCh: make(chan error, 1),
}
serv.mu.Lock()
defer serv.mu.Unlock()
if serv.runners[id] != nil {
panic(fmt.Sprintf("duplicate instance %v", id))
}
serv.runners[id] = runner
return runner.resultCh
}
// stopInstance prevents further request exchange requests.
// To make RPCServer fully forget an instance, shutdownInstance() must be called.
func (serv *server) StopFuzzing(id int) {
serv.mu.Lock()
runner := serv.runners[id]
serv.mu.Unlock()
if runner.updInfo != nil {
runner.updInfo(func(info *dispatcher.Info) {
info.Status = "fuzzing is stopped"
})
}
runner.Stop()
}
func (serv *server) ShutdownInstance(id int, crashed bool, extraExecs ...report.ExecutorInfo) ([]ExecRecord, []byte) {
serv.mu.Lock()
runner := serv.runners[id]
delete(serv.runners, id)
serv.mu.Unlock()
return runner.Shutdown(crashed, extraExecs...), runner.MachineInfo()
}
func (serv *server) DistributeSignalDelta(plus signal.Signal) {
plusRaw := plus.ToRaw()
serv.foreachRunnerAsync(func(runner *Runner) {
runner.SendSignalUpdate(plusRaw)
})
}
func (serv *server) TriagedCorpus() {
serv.triagedCorpus.Store(true)
serv.foreachRunnerAsync(func(runner *Runner) {
runner.SendCorpusTriaged()
})
}
// foreachRunnerAsync runs callback fn for each connected runner asynchronously.
// If a VM has hanged w/o reading out the socket, we want to avoid blocking
// important goroutines on the send operations.
func (serv *server) foreachRunnerAsync(fn func(runner *Runner)) {
serv.mu.Lock()
defer serv.mu.Unlock()
for _, runner := range serv.runners {
if runner.Alive() {
go fn(runner)
}
}
}
|