forked from G-Rath/osv-detector
-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.go
688 lines (535 loc) · 15.9 KB
/
main.go
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
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
package main
import (
"flag"
"fmt"
"io"
"os"
"path"
"sort"
"github.com/another-rex/osv-detector/internal"
"github.com/another-rex/osv-detector/internal/configer"
"github.com/another-rex/osv-detector/internal/reporter"
"github.com/another-rex/osv-detector/pkg/database"
"github.com/another-rex/osv-detector/pkg/lockfile"
"github.com/fatih/color"
)
// these come from goreleaser
var (
version = "dev"
commit = "none"
date = "unknown"
)
func makeAPIDBConfig() database.Config {
return database.Config{
Name: "osv.dev v1 API",
Type: "api",
URL: "https://api.osv.dev/v1",
}
}
func makeEcosystemDBConfig(ecosystem internal.Ecosystem) database.Config {
return database.Config{
Name: string(ecosystem),
Type: "zip",
URL: fmt.Sprintf("https://osv-vulnerabilities.storage.googleapis.com/%s/all.zip", ecosystem),
}
}
type OSVDatabases []database.DB
func contains(items []string, value string) bool {
for _, item := range items {
if value == item {
return true
}
}
return false
}
func (dbs OSVDatabases) transposePkgResults(
pkg internal.PackageDetails,
ignores []string,
packageIndex int,
allVulns [][]database.Vulnerabilities,
) reporter.PackageDetailsWithVulnerabilities {
vulnerabilities := make(database.Vulnerabilities, 0)
ignored := make(database.Vulnerabilities, 0)
for _, vulns1 := range allVulns {
vulns := vulns1[packageIndex]
for _, vulnerability := range vulns {
// skip vulnerabilities that were already included from a previous database
if vulnerabilities.Includes(vulnerability) || ignored.Includes(vulnerability) {
continue
}
if contains(ignores, vulnerability.ID) {
ignored = append(ignored, vulnerability)
} else {
vulnerabilities = append(vulnerabilities, vulnerability)
}
}
}
return reporter.PackageDetailsWithVulnerabilities{
PackageDetails: pkg,
Vulnerabilities: vulnerabilities,
Ignored: ignored,
}
}
func (dbs OSVDatabases) check(r *reporter.Reporter, lockf lockfile.Lockfile, ignores []string) reporter.Report {
report := reporter.Report{
Lockfile: lockf,
Packages: make([]reporter.PackageDetailsWithVulnerabilities, 0, len(lockf.Packages)),
}
vulns := make([][]database.Vulnerabilities, 0, len(dbs))
for _, db := range dbs {
results, err := db.Check(lockf.Packages)
if err != nil {
r.PrintError(color.RedString(fmt.Sprintf(
" an api error occurred while trying to check the packages listed in %s: %v\n",
lockf.FilePath,
err,
)))
continue
}
vulns = append(vulns, results)
}
for i, pkg := range lockf.Packages {
report.Packages = append(
report.Packages,
dbs.transposePkgResults(pkg, ignores, i, vulns),
)
}
return report
}
// returns the OSV databases to use for the given database configs,
// assuming they have already been loaded
func (dbs OSVDatabases) forConfigs(dbConfigs []database.Config) OSVDatabases {
specificDBs := make(OSVDatabases, 0)
for _, db := range dbs {
for _, dbConfig := range dbConfigs {
if dbConfig.Identifier() == db.Identifier() {
specificDBs = append(specificDBs, db)
}
}
}
return specificDBs
}
func uniqueDBConfigs(configs []*configer.Config) []database.Config {
var dbConfigs []database.Config
for _, config := range configs {
for _, dbConfig := range config.Databases {
alreadyExists := false
for _, dbc := range dbConfigs {
if alreadyExists {
continue
}
if dbc.Identifier() == dbConfig.Identifier() {
alreadyExists = true
}
}
if alreadyExists {
continue
}
dbConfigs = append(dbConfigs, dbConfig)
}
}
return dbConfigs
}
func describeDB(db database.DB) string {
switch tt := db.(type) {
case *database.APIDB:
return fmt.Sprintf(
"using batches of %s",
color.YellowString("%d", tt.BatchSize),
)
case *database.ZipDB:
count := len(tt.Vulnerabilities(true))
return fmt.Sprintf(
"%s %s, including withdrawn - last updated %s",
color.YellowString("%d", count),
reporter.Form(count, "vulnerability", "vulnerabilities"),
tt.UpdatedAt,
)
case *database.DirDB:
count := len(tt.Vulnerabilities(true))
return fmt.Sprintf(
"%s %s, including withdrawn",
color.YellowString("%d", count),
reporter.Form(count, "vulnerability", "vulnerabilities"),
)
}
return ""
}
func loadDatabases(
r *reporter.Reporter,
dbConfigs []database.Config,
listPackages bool,
offline bool,
batchSize int,
) (OSVDatabases, bool) {
dbs := make(OSVDatabases, 0, len(dbConfigs))
// an easy dirty little optimisation: we don't need any databases
// if we're going to be listing packages, so return the empty slice
if listPackages {
return dbs, false
}
errored := false
r.PrintText("Loaded the following OSV databases:\n")
for _, dbConfig := range dbConfigs {
r.PrintText(fmt.Sprintf(" %s", dbConfig.Name))
db, err := database.Load(dbConfig, offline, batchSize)
if err != nil {
r.PrintDatabaseLoadErr(err)
errored = true
continue
}
desc := describeDB(db)
if desc != "" {
desc = fmt.Sprintf(" (%s)", desc)
}
r.PrintText(fmt.Sprintf("%s\n", desc))
dbs = append(dbs, db)
}
r.PrintText("\n")
return dbs, errored
}
const parseAsCsvFile = "csv-file"
const parseAsCsvRow = "csv-row"
func findLockfiles(r *reporter.Reporter, pathToLockOrDirectory string, parseAs string) ([]string, bool) {
lockfiles := make([]string, 0, 1)
file, err := os.Open(pathToLockOrDirectory)
if err == nil {
info, err := file.Stat()
if err == nil {
if info.IsDir() {
dirs, err := file.ReadDir(-1)
if err == nil {
for _, dir := range dirs {
if dir.IsDir() {
continue
}
if parseAs != parseAsCsvFile {
if p, _ := lockfile.FindParser(dir.Name(), parseAs); p == nil {
continue
}
}
lockfiles = append(lockfiles, path.Join(pathToLockOrDirectory, dir.Name()))
}
}
} else {
lockfiles = append(lockfiles, pathToLockOrDirectory)
}
}
}
if err != nil {
r.PrintError(fmt.Sprintf("Error reading %s: %v\n", pathToLockOrDirectory, err))
}
sort.Slice(lockfiles, func(i, j int) bool {
return lockfiles[i] < lockfiles[j]
})
return lockfiles, err != nil
}
func findAllLockfiles(r *reporter.Reporter, pathsToCheck []string, parseAs string) ([]string, bool) {
var paths []string
if parseAs == parseAsCsvRow {
return []string{"-"}, false
}
errored := false
for _, pathToLockOrDirectory := range pathsToCheck {
lps, erred := findLockfiles(r, pathToLockOrDirectory, parseAs)
if erred {
errored = true
}
for _, p := range lps {
paths = append(paths, path.Clean(p))
}
}
return paths, errored
}
func parseLockfile(pathToLock string, parseAs string, args []string) (lockfile.Lockfile, error) {
if parseAs == parseAsCsvRow {
l, err := lockfile.FromCSVRows(pathToLock, parseAs, args)
if err != nil {
err = fmt.Errorf("%w", err)
}
return l, err
}
if parseAs == parseAsCsvFile {
l, err := lockfile.FromCSVFile(pathToLock, parseAs)
if err != nil {
err = fmt.Errorf("%w", err)
}
return l, err
}
l, err := lockfile.Parse(pathToLock, parseAs)
if err != nil {
err = fmt.Errorf("%w", err)
}
return l, err
}
type stringsFlag []string
func (s *stringsFlag) String() string {
return fmt.Sprint(*s)
}
func (s *stringsFlag) Set(value string) error {
*s = append(*s, value)
return nil
}
type lockfileAndConfigOrErr struct {
lockf lockfile.Lockfile
config *configer.Config
err error
}
type lockfileAndConfigOrErrs []lockfileAndConfigOrErr
func (files lockfileAndConfigOrErrs) getConfigs() []*configer.Config {
configs := make([]*configer.Config, 0, len(files))
for _, file := range files {
if file.err != nil {
continue
}
configs = append(configs, file.config)
}
return configs
}
func (files *lockfileAndConfigOrErrs) adjustExtraDatabases(
removeConfigDatabases bool,
addDefaultAPIDatabase bool,
addEcosystemDatabases bool,
) {
for _, file := range *files {
if file.err != nil {
continue
}
var extraDBConfigs []database.Config
if removeConfigDatabases {
file.config.Databases = []database.Config{}
}
if addDefaultAPIDatabase {
extraDBConfigs = append(extraDBConfigs, makeAPIDBConfig())
}
if addEcosystemDatabases {
ecosystems := collectEcosystems([]lockfileAndConfigOrErr{file})
for _, ecosystem := range ecosystems {
extraDBConfigs = append(extraDBConfigs, makeEcosystemDBConfig(ecosystem))
}
}
// a bit of a hack to let us reuse this method...
file.config.Databases = uniqueDBConfigs([]*configer.Config{
file.config,
{Databases: extraDBConfigs},
})
}
}
func readAllLockfiles(
r *reporter.Reporter,
pathsToLocks []string,
parseAs string,
args []string,
checkForLocalConfig bool,
config *configer.Config,
) lockfileAndConfigOrErrs {
lockfiles := make([]lockfileAndConfigOrErr, 0, len(pathsToLocks))
for _, pathToLock := range pathsToLocks {
if checkForLocalConfig {
base := path.Dir(pathToLock)
con, err := configer.Find(r, base)
if err != nil {
// treat config errors as the same as if we failed to load the lockfile
// as continuing without the desired config could cause different results
// e.g. if the config has ignores or custom databases
lockfiles = append(lockfiles, lockfileAndConfigOrErr{lockfile.Lockfile{}, config, err})
continue
}
config = &con
} else if config.FilePath != "" {
// if there's a global config, then copy it - otherwise all lockfiles
// will hold a reference to the same config, which can result in configs
// for ecosystem-specific databases being used unnecessarily for lockfiles
// that don't have any packages that are part of that ecosystem
config = &configer.Config{
FilePath: config.FilePath,
Ignore: config.Ignore,
Databases: config.Databases,
}
}
lockf, err := parseLockfile(pathToLock, parseAs, args)
lockfiles = append(lockfiles, lockfileAndConfigOrErr{lockf, config, err})
}
return lockfiles
}
func collectEcosystems(files []lockfileAndConfigOrErr) []internal.Ecosystem {
var ecosystems []internal.Ecosystem
for _, result := range files {
if result.err != nil {
continue
}
for _, ecosystem := range result.lockf.Packages.Ecosystems() {
alreadyExists := false
for _, eco := range ecosystems {
if alreadyExists {
continue
}
if eco == ecosystem {
alreadyExists = true
}
}
if alreadyExists {
continue
}
ecosystems = append(ecosystems, ecosystem)
}
}
return ecosystems
}
func run(args []string, stdout, stderr io.Writer) int {
var globalIgnores stringsFlag
cli := flag.NewFlagSet(os.Args[0], flag.ExitOnError)
offline := cli.Bool("offline", false, "Perform checks using only the cached databases on disk")
parseAs := cli.String("parse-as", "", "Name of a supported lockfile to parse the input files as")
configPath := cli.String("config", "", "Path to a config file to use for all lockfiles")
noConfig := cli.Bool("no-config", false, "Disable loading of any config files")
noConfigIgnores := cli.Bool("no-config-ignores", false, "Don't respect any OSVs listed as ignored in configs")
noConfigDatabases := cli.Bool("no-config-databases", false, "Don't load any extra databases listed in configs")
printVersion := cli.Bool("version", false, "Print version information")
listEcosystems := cli.Bool("list-ecosystems", false, "List all of the known ecosystems that are supported by the detector")
listPackages := cli.Bool("list-packages", false, "List the packages that are parsed from the input files")
outputAsJSON := cli.Bool("json", false, "Output the results in JSON format")
useDatabases := cli.Bool("use-dbs", true, "Use the databases from osv.dev to check for known vulnerabilities")
useAPI := cli.Bool("use-api", false, "Use the osv.dev API to check for known vulnerabilities")
batchSize := cli.Int("batch-size", 1000, "The number of packages to include in each batch when using the api database")
cli.Var(&globalIgnores, "ignore", `ID of an OSV to ignore when determining exit codes.
This flag can be passed multiple times to ignore different vulnerabilities`)
// cli is set for ExitOnError so this will never return an error
_ = cli.Parse(args)
r := reporter.New(stdout, stderr, *outputAsJSON)
if *outputAsJSON {
defer r.PrintJSONResults()
}
if *printVersion {
r.PrintText(fmt.Sprintf("osv-detector %s (%s, commit %s)\n", version, date, commit))
return 0
}
if *listEcosystems {
r.PrintKnownEcosystems()
return 0
}
if *parseAs != "" && *parseAs != parseAsCsvFile && *parseAs != parseAsCsvRow {
if parser, parsedAs := lockfile.FindParser("", *parseAs); parser == nil {
r.PrintError(fmt.Sprintf("Don't know how to parse files as \"%s\" - supported values are:\n", parsedAs))
for _, s := range lockfile.ListParsers() {
r.PrintError(fmt.Sprintf(" %s\n", s))
}
r.PrintError(fmt.Sprintf(" %s\n", parseAsCsvFile))
r.PrintError(fmt.Sprintf(" %s\n", parseAsCsvRow))
return 127
}
}
pathsToLocks, errored := findAllLockfiles(r, cli.Args(), *parseAs)
if len(pathsToLocks) == 0 {
r.PrintError(
"You must provide at least one path to either a lockfile or a directory containing at least one lockfile (see --help for usage and flags)\n",
)
// being provided with at least one path and not hitting an error on any of those
// paths means everything was valid, we just didn't find any parsable lockfiles
// in any of the directories
if len(cli.Args()) > 0 && !errored {
// so we want to use a specific exit code to represent this state
return 128
}
return 127
}
exitCode := 0
var config configer.Config
loadLocalConfig := !*noConfig
// if we're listing packages, then we don't need to do _any_ config loading
if *listPackages {
loadLocalConfig = false
} else if loadLocalConfig && *configPath != "" {
con, err := configer.Load(r, *configPath)
if err != nil {
r.PrintError(fmt.Sprintf("Error, %s\n", err))
return 127
}
config = con
loadLocalConfig = false
}
files := readAllLockfiles(r, pathsToLocks, *parseAs, cli.Args(), loadLocalConfig, &config)
files.adjustExtraDatabases(*noConfigDatabases, *useAPI, *useDatabases)
dbs, errored := loadDatabases(
r,
uniqueDBConfigs(files.getConfigs()),
*listPackages,
*offline,
*batchSize,
)
if errored {
exitCode = 127
}
for i, result := range files {
if i >= 1 {
r.PrintText("\n")
}
if result.err != nil {
r.PrintError(fmt.Sprintf("Error, %s\n", result.err))
exitCode = 127
continue
}
config := result.config
lockf := result.lockf
if *noConfigIgnores {
config.Ignore = []string{}
}
r.PrintText(fmt.Sprintf(
"%s: found %s %s\n",
color.MagentaString("%s", lockf.FilePath),
color.YellowString("%d", len(lockf.Packages)),
reporter.Form(len(lockf.Packages), "package", "packages"),
))
if *listPackages {
r.PrintResult(lockf)
continue
}
ignores := make(
[]string,
0,
// len cannot return negative numbers, but the types can't reflect that
uint64(len(globalIgnores))+uint64(len(config.Ignore)),
)
// an empty FilePath means we didn't load a config
if config.FilePath != "" {
var ignoresStr string
if *noConfigIgnores {
ignoresStr = "skipping any ignores"
} else {
ignores = append(ignores, config.Ignore...)
ignoresStr = color.YellowString("%d %s",
len(config.Ignore),
reporter.Form(len(config.Ignore), "ignore", "ignores"),
)
}
r.PrintText(fmt.Sprintf(
" Using config at %s (%s)\n",
color.MagentaString(config.FilePath),
ignoresStr,
))
}
ignores = append(ignores, globalIgnores...)
dbs := dbs.forConfigs(config.Databases)
for _, db := range dbs {
desc := describeDB(db)
if desc != "" {
desc = fmt.Sprintf(" (%s)", desc)
}
r.PrintText(fmt.Sprintf(
" Using db %s%s\n",
color.HiCyanString(db.Name()),
desc,
))
}
r.PrintText("\n")
report := dbs.check(r, lockf, ignores)
r.PrintResult(report)
if report.HasKnownVulnerabilities() && exitCode == 0 {
exitCode = 1
}
}
return exitCode
}
func main() {
os.Exit(run(os.Args[1:], os.Stdout, os.Stderr))
}