Source file
src/cmd/dist/test.go
1
2
3
4
5 package main
6
7 import (
8 "bytes"
9 "encoding/json"
10 "flag"
11 "fmt"
12 "io"
13 "io/fs"
14 "log"
15 "os"
16 "os/exec"
17 "path/filepath"
18 "reflect"
19 "regexp"
20 "runtime"
21 "strconv"
22 "strings"
23 "time"
24 )
25
26 func cmdtest() {
27 gogcflags = os.Getenv("GO_GCFLAGS")
28 setNoOpt()
29
30 var t tester
31
32 var noRebuild bool
33 flag.BoolVar(&t.listMode, "list", false, "list available tests")
34 flag.BoolVar(&t.rebuild, "rebuild", false, "rebuild everything first")
35 flag.BoolVar(&noRebuild, "no-rebuild", false, "overrides -rebuild (historical dreg)")
36 flag.BoolVar(&t.keepGoing, "k", false, "keep going even when error occurred")
37 flag.BoolVar(&t.race, "race", false, "run in race builder mode (different set of tests)")
38 flag.BoolVar(&t.compileOnly, "compile-only", false, "compile tests, but don't run them")
39 flag.StringVar(&t.banner, "banner", "##### ", "banner prefix; blank means no section banners")
40 flag.StringVar(&t.runRxStr, "run", "",
41 "run only those tests matching the regular expression; empty means to run all. "+
42 "Special exception: if the string begins with '!', the match is inverted.")
43 flag.BoolVar(&t.msan, "msan", false, "run in memory sanitizer builder mode")
44 flag.BoolVar(&t.asan, "asan", false, "run in address sanitizer builder mode")
45 flag.BoolVar(&t.json, "json", false, "report test results in JSON")
46
47 xflagparse(-1)
48 if noRebuild {
49 t.rebuild = false
50 }
51
52 t.run()
53 }
54
55
56 type tester struct {
57 race bool
58 msan bool
59 asan bool
60 listMode bool
61 rebuild bool
62 failed bool
63 keepGoing bool
64 compileOnly bool
65 runRxStr string
66 runRx *regexp.Regexp
67 runRxWant bool
68 runNames []string
69 banner string
70 lastHeading string
71
72 short bool
73 cgoEnabled bool
74 json bool
75
76 tests []distTest
77 testNames map[string]bool
78 timeoutScale int
79
80 worklist []*work
81 }
82
83
84 type work struct {
85 dt *distTest
86 cmd *exec.Cmd
87 flush func()
88 start chan bool
89 out bytes.Buffer
90 err error
91 end chan struct{}
92 }
93
94
95 func (w *work) printSkip(t *tester, msg string) {
96 if t.json {
97 synthesizeSkipEvent(json.NewEncoder(&w.out), w.dt.name, msg)
98 return
99 }
100 fmt.Fprintln(&w.out, msg)
101 }
102
103
104
105 type distTest struct {
106 name string
107 heading string
108 fn func(*distTest) error
109 }
110
111 func (t *tester) run() {
112 timelog("start", "dist test")
113
114 os.Setenv("PATH", fmt.Sprintf("%s%c%s", gorootBin, os.PathListSeparator, os.Getenv("PATH")))
115
116 t.short = true
117 if v := os.Getenv("GO_TEST_SHORT"); v != "" {
118 short, err := strconv.ParseBool(v)
119 if err != nil {
120 fatalf("invalid GO_TEST_SHORT %q: %v", v, err)
121 }
122 t.short = short
123 }
124
125 cmd := exec.Command(gorootBinGo, "env", "CGO_ENABLED")
126 cmd.Stderr = new(bytes.Buffer)
127 slurp, err := cmd.Output()
128 if err != nil {
129 fatalf("Error running %s: %v\n%s", cmd, err, cmd.Stderr)
130 }
131 parts := strings.Split(string(slurp), "\n")
132 if nlines := len(parts) - 1; nlines < 1 {
133 fatalf("Error running %s: output contains <1 lines\n%s", cmd, cmd.Stderr)
134 }
135 t.cgoEnabled, _ = strconv.ParseBool(parts[0])
136
137 if flag.NArg() > 0 && t.runRxStr != "" {
138 fatalf("the -run regular expression flag is mutually exclusive with test name arguments")
139 }
140
141 t.runNames = flag.Args()
142
143
144
145
146
147
148 if ok := isEnvSet("GOTRACEBACK"); !ok {
149 if err := os.Setenv("GOTRACEBACK", "system"); err != nil {
150 if t.keepGoing {
151 log.Printf("Failed to set GOTRACEBACK: %v", err)
152 } else {
153 fatalf("Failed to set GOTRACEBACK: %v", err)
154 }
155 }
156 }
157
158 if t.rebuild {
159 t.out("Building packages and commands.")
160
161 goInstall(toolenv(), gorootBinGo, append([]string{"-a"}, toolchain...)...)
162 }
163
164 if !t.listMode {
165 if builder := os.Getenv("GO_BUILDER_NAME"); builder == "" {
166
167
168
169
170
171
172
173
174
175
176
177
178 goInstall(toolenv(), gorootBinGo, toolchain...)
179 goInstall(toolenv(), gorootBinGo, toolchain...)
180 goInstall(toolenv(), gorootBinGo, "cmd")
181 }
182 }
183
184 t.timeoutScale = 1
185 if s := os.Getenv("GO_TEST_TIMEOUT_SCALE"); s != "" {
186 t.timeoutScale, err = strconv.Atoi(s)
187 if err != nil {
188 fatalf("failed to parse $GO_TEST_TIMEOUT_SCALE = %q as integer: %v", s, err)
189 }
190 }
191
192 if t.runRxStr != "" {
193 if t.runRxStr[0] == '!' {
194 t.runRxWant = false
195 t.runRxStr = t.runRxStr[1:]
196 } else {
197 t.runRxWant = true
198 }
199 t.runRx = regexp.MustCompile(t.runRxStr)
200 }
201
202 t.registerTests()
203 if t.listMode {
204 for _, tt := range t.tests {
205 fmt.Println(tt.name)
206 }
207 return
208 }
209
210 for _, name := range t.runNames {
211 if !t.testNames[name] {
212 fatalf("unknown test %q", name)
213 }
214 }
215
216
217 if strings.HasPrefix(os.Getenv("GO_BUILDER_NAME"), "linux-") {
218 if os.Getuid() == 0 {
219
220
221 } else {
222 xatexit(t.makeGOROOTUnwritable())
223 }
224 }
225
226 if !t.json {
227 if err := t.maybeLogMetadata(); err != nil {
228 t.failed = true
229 if t.keepGoing {
230 log.Printf("Failed logging metadata: %v", err)
231 } else {
232 fatalf("Failed logging metadata: %v", err)
233 }
234 }
235 }
236
237 var anyIncluded, someExcluded bool
238 for _, dt := range t.tests {
239 if !t.shouldRunTest(dt.name) {
240 someExcluded = true
241 continue
242 }
243 anyIncluded = true
244 dt := dt
245 if err := dt.fn(&dt); err != nil {
246 t.runPending(&dt)
247 t.failed = true
248 if t.keepGoing {
249 log.Printf("Failed: %v", err)
250 } else {
251 fatalf("Failed: %v", err)
252 }
253 }
254 }
255 t.runPending(nil)
256 timelog("end", "dist test")
257
258 if !t.json {
259 if t.failed {
260 fmt.Println("\nFAILED")
261 } else if !anyIncluded {
262 fmt.Println()
263 errprintf("go tool dist: warning: %q matched no tests; use the -list flag to list available tests\n", t.runRxStr)
264 fmt.Println("NO TESTS TO RUN")
265 } else if someExcluded {
266 fmt.Println("\nALL TESTS PASSED (some were excluded)")
267 } else {
268 fmt.Println("\nALL TESTS PASSED")
269 }
270 }
271 if t.failed {
272 xexit(1)
273 }
274 }
275
276 func (t *tester) shouldRunTest(name string) bool {
277 if t.runRx != nil {
278 return t.runRx.MatchString(name) == t.runRxWant
279 }
280 if len(t.runNames) == 0 {
281 return true
282 }
283 for _, runName := range t.runNames {
284 if runName == name {
285 return true
286 }
287 }
288 return false
289 }
290
291 func (t *tester) maybeLogMetadata() error {
292 if t.compileOnly {
293
294
295 return nil
296 }
297 t.out("Test execution environment.")
298
299
300
301
302
303
304 return t.dirCmd(filepath.Join(goroot, "src/cmd/internal/metadata"), gorootBinGo, []string{"run", "main.go"}).Run()
305 }
306
307
308 func testName(pkg, variant string) string {
309 name := pkg
310 if variant != "" {
311 name += ":" + variant
312 }
313 return name
314 }
315
316
317
318 type goTest struct {
319 timeout time.Duration
320 short bool
321 tags []string
322 race bool
323 bench bool
324 runTests string
325 cpu string
326 skip string
327
328 gcflags string
329 ldflags string
330 buildmode string
331
332 env []string
333
334 runOnHost bool
335
336
337
338
339 variant string
340
341
342
343 omitVariant bool
344
345
346
347 pkgs []string
348 pkg string
349
350 testFlags []string
351 }
352
353
354
355 func (opts *goTest) compileOnly() bool {
356 return opts.runTests == "^$" && !opts.bench
357 }
358
359
360
361
362 func (opts *goTest) bgCommand(t *tester, stdout, stderr io.Writer) (cmd *exec.Cmd, flush func()) {
363 build, run, pkgs, testFlags, setupCmd := opts.buildArgs(t)
364
365
366 args := append([]string{"test"}, build...)
367 if t.compileOnly || opts.compileOnly() {
368 args = append(args, "-c", "-o", os.DevNull)
369 } else {
370 args = append(args, run...)
371 }
372 args = append(args, pkgs...)
373 if !t.compileOnly && !opts.compileOnly() {
374 args = append(args, testFlags...)
375 }
376
377 cmd = exec.Command(gorootBinGo, args...)
378 setupCmd(cmd)
379 if t.json && opts.variant != "" && !opts.omitVariant {
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394 if stdout == stderr {
395 stdout = &lockedWriter{w: stdout}
396 stderr = stdout
397 }
398 f := &testJSONFilter{w: stdout, variant: opts.variant}
399 cmd.Stdout = f
400 flush = f.Flush
401 } else {
402 cmd.Stdout = stdout
403 flush = func() {}
404 }
405 cmd.Stderr = stderr
406
407 return cmd, flush
408 }
409
410
411 func (opts *goTest) run(t *tester) error {
412 cmd, flush := opts.bgCommand(t, os.Stdout, os.Stderr)
413 err := cmd.Run()
414 flush()
415 return err
416 }
417
418
419
420
421
422
423
424
425 func (opts *goTest) buildArgs(t *tester) (build, run, pkgs, testFlags []string, setupCmd func(*exec.Cmd)) {
426 run = append(run, "-count=1")
427 if opts.timeout != 0 {
428 d := opts.timeout * time.Duration(t.timeoutScale)
429 run = append(run, "-timeout="+d.String())
430 } else if t.timeoutScale != 1 {
431 const goTestDefaultTimeout = 10 * time.Minute
432 run = append(run, "-timeout="+(goTestDefaultTimeout*time.Duration(t.timeoutScale)).String())
433 }
434 if opts.short || t.short {
435 run = append(run, "-short")
436 }
437 var tags []string
438 if t.iOS() {
439 tags = append(tags, "lldb")
440 }
441 if noOpt {
442 tags = append(tags, "noopt")
443 }
444 tags = append(tags, opts.tags...)
445 if len(tags) > 0 {
446 build = append(build, "-tags="+strings.Join(tags, ","))
447 }
448 if t.race || opts.race {
449 build = append(build, "-race")
450 }
451 if t.msan {
452 build = append(build, "-msan")
453 }
454 if t.asan {
455 build = append(build, "-asan")
456 }
457 if opts.bench {
458
459 run = append(run, "-run=^$")
460
461 run = append(run, "-bench=.*", "-benchtime=.1s")
462 } else if opts.runTests != "" {
463 run = append(run, "-run="+opts.runTests)
464 }
465 if opts.cpu != "" {
466 run = append(run, "-cpu="+opts.cpu)
467 }
468 if opts.skip != "" {
469 run = append(run, "-skip="+opts.skip)
470 }
471 if t.json {
472 run = append(run, "-json")
473 }
474
475 if opts.gcflags != "" {
476 build = append(build, "-gcflags=all="+opts.gcflags)
477 }
478 if opts.ldflags != "" {
479 build = append(build, "-ldflags="+opts.ldflags)
480 }
481 if opts.buildmode != "" {
482 build = append(build, "-buildmode="+opts.buildmode)
483 }
484
485 pkgs = opts.packages()
486
487 runOnHost := opts.runOnHost && (goarch != gohostarch || goos != gohostos)
488 needTestFlags := len(opts.testFlags) > 0 || runOnHost
489 if needTestFlags {
490 testFlags = append([]string{"-args"}, opts.testFlags...)
491 }
492 if runOnHost {
493
494 testFlags = append(testFlags, "-target="+goos+"/"+goarch)
495 }
496
497 setupCmd = func(cmd *exec.Cmd) {
498 setDir(cmd, filepath.Join(goroot, "src"))
499 if len(opts.env) != 0 {
500 for _, kv := range opts.env {
501 if i := strings.Index(kv, "="); i < 0 {
502 unsetEnv(cmd, kv[:len(kv)-1])
503 } else {
504 setEnv(cmd, kv[:i], kv[i+1:])
505 }
506 }
507 }
508 if runOnHost {
509 setEnv(cmd, "GOARCH", gohostarch)
510 setEnv(cmd, "GOOS", gohostos)
511 }
512 }
513
514 return
515 }
516
517
518
519 func (opts *goTest) packages() []string {
520 pkgs := opts.pkgs
521 if opts.pkg != "" {
522 pkgs = append(pkgs[:len(pkgs):len(pkgs)], opts.pkg)
523 }
524 if len(pkgs) == 0 {
525 panic("no packages")
526 }
527 return pkgs
528 }
529
530
531 func (opts *goTest) printSkip(t *tester, msg string) {
532 if t.json {
533 enc := json.NewEncoder(os.Stdout)
534 for _, pkg := range opts.packages() {
535 synthesizeSkipEvent(enc, pkg, msg)
536 }
537 return
538 }
539 fmt.Println(msg)
540 }
541
542
543
544
545
546
547
548 var (
549 ranGoTest bool
550 stdMatches []string
551
552 ranGoBench bool
553 benchMatches []string
554 )
555
556 func (t *tester) registerStdTest(pkg string) {
557 const stdTestHeading = "Testing packages."
558 gcflags := gogcflags
559 name := testName(pkg, "")
560 if t.runRx == nil || t.runRx.MatchString(name) == t.runRxWant {
561 stdMatches = append(stdMatches, pkg)
562 }
563 t.addTest(name, stdTestHeading, func(dt *distTest) error {
564 if ranGoTest {
565 return nil
566 }
567 t.runPending(dt)
568 timelog("start", dt.name)
569 defer timelog("end", dt.name)
570 ranGoTest = true
571
572 timeoutSec := 180 * time.Second
573 for _, pkg := range stdMatches {
574 if pkg == "cmd/go" {
575 timeoutSec *= 3
576 break
577 }
578 }
579 return (&goTest{
580 timeout: timeoutSec,
581 gcflags: gcflags,
582 pkgs: stdMatches,
583 }).run(t)
584 })
585 }
586
587 func (t *tester) registerRaceBenchTest(pkg string) {
588 const raceBenchHeading = "Running benchmarks briefly."
589 name := testName(pkg, "racebench")
590 if t.runRx == nil || t.runRx.MatchString(name) == t.runRxWant {
591 benchMatches = append(benchMatches, pkg)
592 }
593 t.addTest(name, raceBenchHeading, func(dt *distTest) error {
594 if ranGoBench {
595 return nil
596 }
597 t.runPending(dt)
598 timelog("start", dt.name)
599 defer timelog("end", dt.name)
600 ranGoBench = true
601 return (&goTest{
602 variant: "racebench",
603 omitVariant: true,
604 timeout: 1200 * time.Second,
605 race: true,
606 bench: true,
607 cpu: "4",
608 pkgs: benchMatches,
609 }).run(t)
610 })
611 }
612
613 func (t *tester) registerTests() {
614
615
616
617
618
619
620
621 registerStdTestSpecially := map[string]bool{
622
623
624
625
626 "cmd/internal/testdir": true,
627 }
628
629
630
631
632 if len(t.runNames) > 0 {
633 for _, name := range t.runNames {
634 if !strings.Contains(name, ":") {
635 t.registerStdTest(name)
636 } else if strings.HasSuffix(name, ":racebench") {
637 t.registerRaceBenchTest(strings.TrimSuffix(name, ":racebench"))
638 }
639 }
640 } else {
641
642
643
644
645
646
647
648
649
650
651
652
653
654 cmd := exec.Command(gorootBinGo, "list")
655 if t.race {
656 cmd.Args = append(cmd.Args, "-tags=race")
657 }
658 cmd.Args = append(cmd.Args, "std", "cmd")
659 cmd.Stderr = new(bytes.Buffer)
660 all, err := cmd.Output()
661 if err != nil {
662 fatalf("Error running go list std cmd: %v:\n%s", err, cmd.Stderr)
663 }
664 pkgs := strings.Fields(string(all))
665 for _, pkg := range pkgs {
666 if registerStdTestSpecially[pkg] {
667 continue
668 }
669 if t.short && (strings.HasPrefix(pkg, "vendor/") || strings.HasPrefix(pkg, "cmd/vendor/")) {
670
671
672
673 continue
674 }
675 t.registerStdTest(pkg)
676 }
677 if t.race {
678 for _, pkg := range pkgs {
679 if t.packageHasBenchmarks(pkg) {
680 t.registerRaceBenchTest(pkg)
681 }
682 }
683 }
684 }
685
686 if t.race {
687 return
688 }
689
690
691 if !t.compileOnly {
692 t.registerTest("os/user with tag osusergo",
693 &goTest{
694 variant: "osusergo",
695 timeout: 300 * time.Second,
696 tags: []string{"osusergo"},
697 pkg: "os/user",
698 })
699 t.registerTest("hash/maphash purego implementation",
700 &goTest{
701 variant: "purego",
702 timeout: 300 * time.Second,
703 tags: []string{"purego"},
704 pkg: "hash/maphash",
705 })
706 }
707
708
709 t.registerTest("crypto with tag purego (build and vet only)", &goTest{
710 variant: "purego",
711 tags: []string{"purego"},
712 pkg: "crypto/...",
713 runTests: "^$",
714 })
715
716
717 if t.fipsSupported() {
718
719 t.registerTest("GODEBUG=fips140=on go test crypto/...", &goTest{
720 variant: "gofips140",
721 env: []string{"GODEBUG=fips140=on"},
722 pkg: "crypto/...",
723 })
724
725
726
727 for _, version := range fipsVersions(t.short) {
728 suffix := " # (build and vet only)"
729 run := "^$"
730 if !t.short {
731 suffix = ""
732 run = ""
733 }
734 t.registerTest("GOFIPS140="+version+" go test crypto/..."+suffix, &goTest{
735 variant: "gofips140-" + version,
736 pkg: "crypto/...",
737 runTests: run,
738 env: []string{"GOFIPS140=" + version, "GOMODCACHE=" + filepath.Join(workdir, "fips-"+version)},
739 })
740 }
741 }
742
743
744 if goos == "darwin" && goarch == "amd64" && t.cgoEnabled {
745 t.registerTest("GOOS=ios on darwin/amd64",
746 &goTest{
747 variant: "amd64ios",
748 timeout: 300 * time.Second,
749 runTests: "SystemRoots",
750 env: []string{"GOOS=ios", "CGO_ENABLED=1"},
751 pkg: "crypto/x509",
752 })
753 }
754
755
756
757
758 if !t.compileOnly && !t.short {
759 t.registerTest("GODEBUG=gcstoptheworld=2 archive/zip",
760 &goTest{
761 variant: "runtime:gcstoptheworld2",
762 timeout: 300 * time.Second,
763 short: true,
764 env: []string{"GODEBUG=gcstoptheworld=2"},
765 pkg: "archive/zip",
766 })
767 }
768
769
770
771
772
773 if !t.compileOnly && !t.short {
774
775 hooks := []string{"mayMoreStackPreempt", "mayMoreStackMove"}
776
777
778 hookPkgs := []string{"runtime/...", "reflect", "sync"}
779
780
781 unhookPkgs := []string{"runtime/testdata/..."}
782 for _, hook := range hooks {
783
784
785
786
787
788
789 goFlagsList := []string{}
790 for _, flag := range []string{"-gcflags", "-asmflags"} {
791 for _, hookPkg := range hookPkgs {
792 goFlagsList = append(goFlagsList, flag+"="+hookPkg+"=-d=maymorestack=runtime."+hook)
793 }
794 for _, unhookPkg := range unhookPkgs {
795 goFlagsList = append(goFlagsList, flag+"="+unhookPkg+"=")
796 }
797 }
798 goFlags := strings.Join(goFlagsList, " ")
799
800 t.registerTest("maymorestack="+hook,
801 &goTest{
802 variant: hook,
803 timeout: 600 * time.Second,
804 short: true,
805 env: []string{"GOFLAGS=" + goFlags},
806 pkgs: []string{"runtime", "reflect", "sync"},
807 })
808 }
809 }
810
811
812
813
814
815 for _, pkg := range cgoPackages {
816 if !t.internalLink() {
817 break
818 }
819
820
821 if goarch == "arm" {
822 break
823 }
824
825
826
827 run := "^Test[^CS]"
828 if pkg == "net" {
829 run = "TestTCPStress"
830 }
831 t.registerTest("Testing without libgcc.",
832 &goTest{
833 variant: "nolibgcc",
834 ldflags: "-linkmode=internal -libgcc=none",
835 runTests: run,
836 pkg: pkg,
837 })
838 }
839
840
841 builderName := os.Getenv("GO_BUILDER_NAME")
842 disablePIE := strings.HasSuffix(builderName, "-alpine")
843
844
845 if t.internalLinkPIE() && !disablePIE {
846 t.registerTest("internal linking, -buildmode=pie",
847 &goTest{
848 variant: "pie_internal",
849 timeout: 60 * time.Second,
850 buildmode: "pie",
851 ldflags: "-linkmode=internal",
852 env: []string{"CGO_ENABLED=0"},
853 pkg: "reflect",
854 })
855 t.registerTest("internal linking, -buildmode=pie",
856 &goTest{
857 variant: "pie_internal",
858 timeout: 60 * time.Second,
859 buildmode: "pie",
860 ldflags: "-linkmode=internal",
861 env: []string{"CGO_ENABLED=0"},
862 pkg: "crypto/internal/fips140test",
863 runTests: "TestFIPSCheck",
864 })
865
866 if t.cgoEnabled && t.internalLink() && !disablePIE {
867 t.registerTest("internal linking, -buildmode=pie",
868 &goTest{
869 variant: "pie_internal",
870 timeout: 60 * time.Second,
871 buildmode: "pie",
872 ldflags: "-linkmode=internal",
873 pkg: "os/user",
874 })
875 }
876 }
877
878 if t.extLink() && !t.compileOnly {
879 if goos != "android" {
880 t.registerTest("external linking, -buildmode=exe",
881 &goTest{
882 variant: "exe_external",
883 timeout: 60 * time.Second,
884 buildmode: "exe",
885 ldflags: "-linkmode=external",
886 env: []string{"CGO_ENABLED=1"},
887 pkg: "crypto/internal/fips140test",
888 runTests: "TestFIPSCheck",
889 })
890 }
891 if t.externalLinkPIE() && !disablePIE {
892 t.registerTest("external linking, -buildmode=pie",
893 &goTest{
894 variant: "pie_external",
895 timeout: 60 * time.Second,
896 buildmode: "pie",
897 ldflags: "-linkmode=external",
898 env: []string{"CGO_ENABLED=1"},
899 pkg: "crypto/internal/fips140test",
900 runTests: "TestFIPSCheck",
901 })
902 }
903 }
904
905
906 if t.hasParallelism() {
907 t.registerTest("sync -cpu=10",
908 &goTest{
909 variant: "cpu10",
910 timeout: 120 * time.Second,
911 cpu: "10",
912 pkg: "sync",
913 })
914 }
915
916 const cgoHeading = "Testing cgo"
917 if t.cgoEnabled {
918 t.registerCgoTests(cgoHeading)
919 }
920
921 if goos == "wasip1" {
922 t.registerTest("wasip1 host tests",
923 &goTest{
924 variant: "host",
925 pkg: "runtime/internal/wasitest",
926 timeout: 1 * time.Minute,
927 runOnHost: true,
928 })
929 }
930
931
932
933
934
935
936
937
938 if goos == "darwin" || ((goos == "linux" || goos == "windows") && goarch == "amd64") {
939 t.registerTest("API release note check", &goTest{variant: "check", pkg: "cmd/relnote", testFlags: []string{"-check"}})
940 t.registerTest("API check", &goTest{variant: "check", pkg: "cmd/api", timeout: 5 * time.Minute, testFlags: []string{"-check"}})
941 }
942
943
944 if !t.compileOnly && t.hasParallelism() {
945 for i := 1; i <= 4; i *= 2 {
946 t.registerTest(fmt.Sprintf("GOMAXPROCS=2 runtime -cpu=%d -quick", i),
947 &goTest{
948 variant: "cpu" + strconv.Itoa(i),
949 timeout: 300 * time.Second,
950 cpu: strconv.Itoa(i),
951 short: true,
952 testFlags: []string{"-quick"},
953
954
955 env: []string{"GOMAXPROCS=2"},
956 pkg: "runtime",
957 })
958 }
959 }
960
961 if t.raceDetectorSupported() && !t.msan && !t.asan {
962
963 t.registerRaceTests()
964 }
965
966 if goos != "android" && !t.iOS() {
967
968
969
970 nShards := 1
971 if os.Getenv("GO_BUILDER_NAME") != "" {
972 nShards = 10
973 }
974 if n, err := strconv.Atoi(os.Getenv("GO_TEST_SHARDS")); err == nil {
975 nShards = n
976 }
977 for shard := 0; shard < nShards; shard++ {
978 id := fmt.Sprintf("%d_%d", shard, nShards)
979 t.registerTest("../test",
980 &goTest{
981 variant: id,
982 omitVariant: true,
983 pkg: "cmd/internal/testdir",
984 testFlags: []string{fmt.Sprintf("-shard=%d", shard), fmt.Sprintf("-shards=%d", nShards)},
985 runOnHost: true,
986 },
987 )
988 }
989 }
990 }
991
992
993
994
995 func (t *tester) addTest(name, heading string, fn func(*distTest) error) {
996 if t.testNames[name] {
997 panic("duplicate registered test name " + name)
998 }
999 if heading == "" {
1000 panic("empty heading")
1001 }
1002
1003 if !strings.Contains(name, ":") && heading != "Testing packages." {
1004 panic("empty variant is reserved exclusively for registerStdTest")
1005 } else if strings.HasSuffix(name, ":racebench") && heading != "Running benchmarks briefly." {
1006 panic("racebench variant is reserved exclusively for registerRaceBenchTest")
1007 }
1008 if t.testNames == nil {
1009 t.testNames = make(map[string]bool)
1010 }
1011 t.testNames[name] = true
1012 t.tests = append(t.tests, distTest{
1013 name: name,
1014 heading: heading,
1015 fn: fn,
1016 })
1017 }
1018
1019 type registerTestOpt interface {
1020 isRegisterTestOpt()
1021 }
1022
1023
1024
1025 type rtSkipFunc struct {
1026 skip func(*distTest) (string, bool)
1027 }
1028
1029 func (rtSkipFunc) isRegisterTestOpt() {}
1030
1031
1032
1033
1034
1035
1036
1037 func (t *tester) registerTest(heading string, test *goTest, opts ...registerTestOpt) {
1038 var skipFunc func(*distTest) (string, bool)
1039 for _, opt := range opts {
1040 switch opt := opt.(type) {
1041 case rtSkipFunc:
1042 skipFunc = opt.skip
1043 }
1044 }
1045
1046 register1 := func(test *goTest) {
1047 if test.variant == "" {
1048 panic("empty variant")
1049 }
1050 name := testName(test.pkg, test.variant)
1051 t.addTest(name, heading, func(dt *distTest) error {
1052 if skipFunc != nil {
1053 msg, skip := skipFunc(dt)
1054 if skip {
1055 test.printSkip(t, msg)
1056 return nil
1057 }
1058 }
1059 w := &work{dt: dt}
1060 w.cmd, w.flush = test.bgCommand(t, &w.out, &w.out)
1061 t.worklist = append(t.worklist, w)
1062 return nil
1063 })
1064 }
1065 if test.pkg != "" && len(test.pkgs) == 0 {
1066
1067 register1(test)
1068 return
1069 }
1070
1071
1072
1073
1074
1075
1076 for _, pkg := range test.packages() {
1077 test1 := *test
1078 test1.pkg, test1.pkgs = pkg, nil
1079 register1(&test1)
1080 }
1081 }
1082
1083
1084
1085
1086 func (t *tester) dirCmd(dir string, cmdline ...interface{}) *exec.Cmd {
1087 bin, args := flattenCmdline(cmdline)
1088 cmd := exec.Command(bin, args...)
1089 if filepath.IsAbs(dir) {
1090 setDir(cmd, dir)
1091 } else {
1092 setDir(cmd, filepath.Join(goroot, dir))
1093 }
1094 cmd.Stdout = os.Stdout
1095 cmd.Stderr = os.Stderr
1096 if vflag > 1 {
1097 errprintf("%s\n", strings.Join(cmd.Args, " "))
1098 }
1099 return cmd
1100 }
1101
1102
1103
1104 func flattenCmdline(cmdline []interface{}) (bin string, args []string) {
1105 var list []string
1106 for _, x := range cmdline {
1107 switch x := x.(type) {
1108 case string:
1109 list = append(list, x)
1110 case []string:
1111 list = append(list, x...)
1112 default:
1113 panic("invalid dirCmd argument type: " + reflect.TypeOf(x).String())
1114 }
1115 }
1116
1117 bin = list[0]
1118 if !filepath.IsAbs(bin) {
1119 panic("command is not absolute: " + bin)
1120 }
1121 return bin, list[1:]
1122 }
1123
1124 func (t *tester) iOS() bool {
1125 return goos == "ios"
1126 }
1127
1128 func (t *tester) out(v string) {
1129 if t.json {
1130 return
1131 }
1132 if t.banner == "" {
1133 return
1134 }
1135 fmt.Println("\n" + t.banner + v)
1136 }
1137
1138
1139
1140 func (t *tester) extLink() bool {
1141 if !cgoEnabled[goos+"/"+goarch] {
1142 return false
1143 }
1144 if goarch == "ppc64" && goos != "aix" {
1145 return false
1146 }
1147 return true
1148 }
1149
1150 func (t *tester) internalLink() bool {
1151 if gohostos == "dragonfly" {
1152
1153 return false
1154 }
1155 if goos == "android" {
1156 return false
1157 }
1158 if goos == "ios" {
1159 return false
1160 }
1161 if goos == "windows" && goarch == "arm64" {
1162 return false
1163 }
1164
1165
1166
1167 if goarch == "loong64" || goarch == "mips64" || goarch == "mips64le" || goarch == "mips" || goarch == "mipsle" || goarch == "riscv64" {
1168 return false
1169 }
1170 if goos == "aix" {
1171
1172 return false
1173 }
1174 if t.msan || t.asan {
1175
1176 return false
1177 }
1178 return true
1179 }
1180
1181 func (t *tester) internalLinkPIE() bool {
1182 if t.msan || t.asan {
1183
1184 return false
1185 }
1186 switch goos + "-" + goarch {
1187 case "darwin-amd64", "darwin-arm64",
1188 "linux-amd64", "linux-arm64", "linux-ppc64le",
1189 "android-arm64",
1190 "windows-amd64", "windows-386", "windows-arm":
1191 return true
1192 }
1193 return false
1194 }
1195
1196 func (t *tester) externalLinkPIE() bool {
1197
1198
1199 switch goos + "-" + goarch {
1200 case "linux-s390x":
1201 return true
1202 }
1203 return t.internalLinkPIE() && t.extLink()
1204 }
1205
1206
1207 func (t *tester) supportedBuildmode(mode string) bool {
1208 switch mode {
1209 case "c-archive", "c-shared", "shared", "plugin", "pie":
1210 default:
1211 fatalf("internal error: unknown buildmode %s", mode)
1212 return false
1213 }
1214
1215 return buildModeSupported("gc", mode, goos, goarch)
1216 }
1217
1218 func (t *tester) registerCgoTests(heading string) {
1219 cgoTest := func(variant string, subdir, linkmode, buildmode string, opts ...registerTestOpt) *goTest {
1220 gt := &goTest{
1221 variant: variant,
1222 pkg: "cmd/cgo/internal/" + subdir,
1223 buildmode: buildmode,
1224 }
1225 var ldflags []string
1226 if linkmode != "auto" {
1227
1228 ldflags = append(ldflags, "-linkmode="+linkmode)
1229 }
1230
1231 if linkmode == "internal" {
1232 gt.tags = append(gt.tags, "internal")
1233 if buildmode == "pie" {
1234 gt.tags = append(gt.tags, "internal_pie")
1235 }
1236 }
1237 if buildmode == "static" {
1238
1239
1240 gt.buildmode = ""
1241 if linkmode == "external" {
1242 ldflags = append(ldflags, `-extldflags "-static -pthread"`)
1243 } else if linkmode == "auto" {
1244 gt.env = append(gt.env, "CGO_LDFLAGS=-static -pthread")
1245 } else {
1246 panic("unknown linkmode with static build: " + linkmode)
1247 }
1248 gt.tags = append(gt.tags, "static")
1249 }
1250 gt.ldflags = strings.Join(ldflags, " ")
1251
1252 t.registerTest(heading, gt, opts...)
1253 return gt
1254 }
1255
1256
1257
1258
1259
1260
1261 builderName := os.Getenv("GO_BUILDER_NAME")
1262 disablePIE := strings.HasSuffix(builderName, "-alpine")
1263
1264 if t.internalLink() {
1265 cgoTest("internal", "test", "internal", "")
1266 }
1267
1268 os := gohostos
1269 p := gohostos + "/" + goarch
1270 switch {
1271 case os == "darwin", os == "windows":
1272 if !t.extLink() {
1273 break
1274 }
1275
1276 cgoTest("external", "test", "external", "")
1277
1278 gt := cgoTest("external-s", "test", "external", "")
1279 gt.ldflags += " -s"
1280
1281 if t.supportedBuildmode("pie") && !disablePIE {
1282 cgoTest("auto-pie", "test", "auto", "pie")
1283 if t.internalLink() && t.internalLinkPIE() {
1284 cgoTest("internal-pie", "test", "internal", "pie")
1285 }
1286 }
1287
1288 case os == "aix", os == "android", os == "dragonfly", os == "freebsd", os == "linux", os == "netbsd", os == "openbsd":
1289 gt := cgoTest("external-g0", "test", "external", "")
1290 gt.env = append(gt.env, "CGO_CFLAGS=-g0 -fdiagnostics-color")
1291
1292 cgoTest("external", "testtls", "external", "")
1293 switch {
1294 case os == "aix":
1295
1296 case p == "freebsd/arm":
1297
1298
1299
1300
1301
1302 default:
1303
1304 var staticCheck rtSkipFunc
1305 ccName := compilerEnvLookup("CC", defaultcc, goos, goarch)
1306 cc, err := exec.LookPath(ccName)
1307 if err != nil {
1308 staticCheck.skip = func(*distTest) (string, bool) {
1309 return fmt.Sprintf("$CC (%q) not found, skip cgo static linking test.", ccName), true
1310 }
1311 } else {
1312 cmd := t.dirCmd("src/cmd/cgo/internal/test", cc, "-xc", "-o", "/dev/null", "-static", "-")
1313 cmd.Stdin = strings.NewReader("int main() {}")
1314 cmd.Stdout, cmd.Stderr = nil, nil
1315 if err := cmd.Run(); err != nil {
1316
1317 staticCheck.skip = func(*distTest) (string, bool) {
1318 return "No support for static linking found (lacks libc.a?), skip cgo static linking test.", true
1319 }
1320 }
1321 }
1322
1323
1324
1325
1326
1327 if staticCheck.skip == nil && goos == "linux" && strings.Contains(goexperiment, "boringcrypto") {
1328 staticCheck.skip = func(*distTest) (string, bool) {
1329 return "skipping static linking check on Linux when using boringcrypto to avoid C linker warning about getaddrinfo", true
1330 }
1331 }
1332
1333
1334 if goos != "android" && p != "netbsd/arm" && !t.msan && !t.asan {
1335
1336
1337
1338 cgoTest("static", "testtls", "external", "static", staticCheck)
1339 }
1340 cgoTest("external", "testnocgo", "external", "", staticCheck)
1341 if goos != "android" && !t.msan && !t.asan {
1342
1343
1344 cgoTest("static", "testnocgo", "external", "static", staticCheck)
1345 cgoTest("static", "test", "external", "static", staticCheck)
1346
1347
1348
1349 if goarch != "loong64" && !t.msan && !t.asan {
1350
1351 cgoTest("auto-static", "test", "auto", "static", staticCheck)
1352 }
1353 }
1354
1355
1356 if t.supportedBuildmode("pie") && !disablePIE {
1357 cgoTest("auto-pie", "test", "auto", "pie")
1358 if t.internalLink() && t.internalLinkPIE() {
1359 cgoTest("internal-pie", "test", "internal", "pie")
1360 }
1361 cgoTest("auto-pie", "testtls", "auto", "pie")
1362 cgoTest("auto-pie", "testnocgo", "auto", "pie")
1363 }
1364 }
1365 }
1366 }
1367
1368
1369
1370
1371
1372
1373
1374 func (t *tester) runPending(nextTest *distTest) {
1375 worklist := t.worklist
1376 t.worklist = nil
1377 for _, w := range worklist {
1378 w.start = make(chan bool)
1379 w.end = make(chan struct{})
1380
1381
1382 if w.cmd.Stdout == nil || w.cmd.Stdout == os.Stdout || w.cmd.Stderr == nil || w.cmd.Stderr == os.Stderr {
1383 panic("work.cmd.Stdout/Stderr must be redirected")
1384 }
1385 go func(w *work) {
1386 if !<-w.start {
1387 timelog("skip", w.dt.name)
1388 w.printSkip(t, "skipped due to earlier error")
1389 } else {
1390 timelog("start", w.dt.name)
1391 w.err = w.cmd.Run()
1392 if w.flush != nil {
1393 w.flush()
1394 }
1395 if w.err != nil {
1396 if isUnsupportedVMASize(w) {
1397 timelog("skip", w.dt.name)
1398 w.out.Reset()
1399 w.printSkip(t, "skipped due to unsupported VMA")
1400 w.err = nil
1401 }
1402 }
1403 }
1404 timelog("end", w.dt.name)
1405 w.end <- struct{}{}
1406 }(w)
1407 }
1408
1409 maxbg := maxbg
1410
1411
1412 if runtime.NumCPU() > 4 && runtime.GOMAXPROCS(0) != 1 {
1413 for _, w := range worklist {
1414
1415
1416
1417
1418
1419 if strings.Contains(w.dt.heading, "GOMAXPROCS=2 runtime") {
1420 maxbg = runtime.NumCPU()
1421 break
1422 }
1423 }
1424 }
1425
1426 started := 0
1427 ended := 0
1428 var last *distTest
1429 for ended < len(worklist) {
1430 for started < len(worklist) && started-ended < maxbg {
1431 w := worklist[started]
1432 started++
1433 w.start <- !t.failed || t.keepGoing
1434 }
1435 w := worklist[ended]
1436 dt := w.dt
1437 if t.lastHeading != dt.heading {
1438 t.lastHeading = dt.heading
1439 t.out(dt.heading)
1440 }
1441 if dt != last {
1442
1443 last = w.dt
1444 if vflag > 0 {
1445 fmt.Printf("# go tool dist test -run=^%s$\n", dt.name)
1446 }
1447 }
1448 if vflag > 1 {
1449 errprintf("%s\n", strings.Join(w.cmd.Args, " "))
1450 }
1451 ended++
1452 <-w.end
1453 os.Stdout.Write(w.out.Bytes())
1454
1455 w.out = bytes.Buffer{}
1456 if w.err != nil {
1457 log.Printf("Failed: %v", w.err)
1458 t.failed = true
1459 }
1460 }
1461 if t.failed && !t.keepGoing {
1462 fatalf("FAILED")
1463 }
1464
1465 if dt := nextTest; dt != nil {
1466 if t.lastHeading != dt.heading {
1467 t.lastHeading = dt.heading
1468 t.out(dt.heading)
1469 }
1470 if vflag > 0 {
1471 fmt.Printf("# go tool dist test -run=^%s$\n", dt.name)
1472 }
1473 }
1474 }
1475
1476 func (t *tester) hasBash() bool {
1477 switch gohostos {
1478 case "windows", "plan9":
1479 return false
1480 }
1481 return true
1482 }
1483
1484
1485
1486
1487 func (t *tester) hasParallelism() bool {
1488 switch goos {
1489 case "js", "wasip1":
1490 return false
1491 }
1492 return true
1493 }
1494
1495 func (t *tester) raceDetectorSupported() bool {
1496 if gohostos != goos {
1497 return false
1498 }
1499 if !t.cgoEnabled {
1500 return false
1501 }
1502 if !raceDetectorSupported(goos, goarch) {
1503 return false
1504 }
1505
1506
1507 if isAlpineLinux() {
1508 return false
1509 }
1510
1511
1512 if goos == "netbsd" {
1513 return false
1514 }
1515 return true
1516 }
1517
1518 func isAlpineLinux() bool {
1519 if runtime.GOOS != "linux" {
1520 return false
1521 }
1522 fi, err := os.Lstat("/etc/alpine-release")
1523 return err == nil && fi.Mode().IsRegular()
1524 }
1525
1526 func (t *tester) registerRaceTests() {
1527 hdr := "Testing race detector"
1528 t.registerTest(hdr,
1529 &goTest{
1530 variant: "race",
1531 race: true,
1532 runTests: "Output",
1533 pkg: "runtime/race",
1534 })
1535 t.registerTest(hdr,
1536 &goTest{
1537 variant: "race",
1538 race: true,
1539 runTests: "TestParse|TestEcho|TestStdinCloseRace|TestClosedPipeRace|TestTypeRace|TestFdRace|TestFdReadRace|TestFileCloseRace",
1540 pkgs: []string{"flag", "net", "os", "os/exec", "encoding/gob"},
1541 })
1542
1543
1544
1545
1546
1547 if t.cgoEnabled {
1548
1549
1550
1551
1552
1553 }
1554 if t.extLink() {
1555
1556 t.registerTest(hdr,
1557 &goTest{
1558 variant: "race-external",
1559 race: true,
1560 ldflags: "-linkmode=external",
1561 runTests: "TestParse|TestEcho|TestStdinCloseRace",
1562 pkgs: []string{"flag", "os/exec"},
1563 })
1564 }
1565 }
1566
1567
1568 var cgoPackages = []string{
1569 "net",
1570 "os/user",
1571 }
1572
1573 var funcBenchmark = []byte("\nfunc Benchmark")
1574
1575
1576
1577
1578
1579
1580
1581
1582 func (t *tester) packageHasBenchmarks(pkg string) bool {
1583 pkgDir := filepath.Join(goroot, "src", pkg)
1584 d, err := os.Open(pkgDir)
1585 if err != nil {
1586 return true
1587 }
1588 defer d.Close()
1589 names, err := d.Readdirnames(-1)
1590 if err != nil {
1591 return true
1592 }
1593 for _, name := range names {
1594 if !strings.HasSuffix(name, "_test.go") {
1595 continue
1596 }
1597 slurp, err := os.ReadFile(filepath.Join(pkgDir, name))
1598 if err != nil {
1599 return true
1600 }
1601 if bytes.Contains(slurp, funcBenchmark) {
1602 return true
1603 }
1604 }
1605 return false
1606 }
1607
1608
1609
1610 func (t *tester) makeGOROOTUnwritable() (undo func()) {
1611 dir := os.Getenv("GOROOT")
1612 if dir == "" {
1613 panic("GOROOT not set")
1614 }
1615
1616 type pathMode struct {
1617 path string
1618 mode os.FileMode
1619 }
1620 var dirs []pathMode
1621
1622 undo = func() {
1623 for i := range dirs {
1624 os.Chmod(dirs[i].path, dirs[i].mode)
1625 }
1626 }
1627
1628 filepath.WalkDir(dir, func(path string, d fs.DirEntry, err error) error {
1629 if suffix := strings.TrimPrefix(path, dir+string(filepath.Separator)); suffix != "" {
1630 if suffix == ".git" {
1631
1632
1633
1634 return filepath.SkipDir
1635 }
1636 }
1637 if err != nil {
1638 return nil
1639 }
1640
1641 info, err := d.Info()
1642 if err != nil {
1643 return nil
1644 }
1645
1646 mode := info.Mode()
1647 if mode&0222 != 0 && (mode.IsDir() || mode.IsRegular()) {
1648 dirs = append(dirs, pathMode{path, mode})
1649 }
1650 return nil
1651 })
1652
1653
1654 for i := len(dirs) - 1; i >= 0; i-- {
1655 err := os.Chmod(dirs[i].path, dirs[i].mode&^0222)
1656 if err != nil {
1657 dirs = dirs[i:]
1658 undo()
1659 fatalf("failed to make GOROOT read-only: %v", err)
1660 }
1661 }
1662
1663 return undo
1664 }
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674 func raceDetectorSupported(goos, goarch string) bool {
1675 switch goos {
1676 case "linux":
1677 return goarch == "amd64" || goarch == "ppc64le" || goarch == "arm64" || goarch == "s390x"
1678 case "darwin":
1679 return goarch == "amd64" || goarch == "arm64"
1680 case "freebsd", "netbsd", "windows":
1681 return goarch == "amd64"
1682 default:
1683 return false
1684 }
1685 }
1686
1687
1688
1689
1690 func buildModeSupported(compiler, buildmode, goos, goarch string) bool {
1691 if compiler == "gccgo" {
1692 return true
1693 }
1694
1695 platform := goos + "/" + goarch
1696
1697 switch buildmode {
1698 case "archive":
1699 return true
1700
1701 case "c-archive":
1702 switch goos {
1703 case "aix", "darwin", "ios", "windows":
1704 return true
1705 case "linux":
1706 switch goarch {
1707 case "386", "amd64", "arm", "armbe", "arm64", "arm64be", "loong64", "ppc64le", "riscv64", "s390x":
1708
1709
1710 return true
1711 default:
1712
1713
1714
1715
1716
1717
1718 return false
1719 }
1720 case "freebsd":
1721 return goarch == "amd64"
1722 }
1723 return false
1724
1725 case "c-shared":
1726 switch platform {
1727 case "linux/amd64", "linux/arm", "linux/arm64", "linux/loong64", "linux/386", "linux/ppc64le", "linux/riscv64", "linux/s390x",
1728 "android/amd64", "android/arm", "android/arm64", "android/386",
1729 "freebsd/amd64",
1730 "darwin/amd64", "darwin/arm64",
1731 "windows/amd64", "windows/386", "windows/arm64",
1732 "wasip1/wasm":
1733 return true
1734 }
1735 return false
1736
1737 case "default":
1738 return true
1739
1740 case "exe":
1741 return true
1742
1743 case "pie":
1744 switch platform {
1745 case "linux/386", "linux/amd64", "linux/arm", "linux/arm64", "linux/loong64", "linux/ppc64le", "linux/riscv64", "linux/s390x",
1746 "android/amd64", "android/arm", "android/arm64", "android/386",
1747 "freebsd/amd64",
1748 "darwin/amd64", "darwin/arm64",
1749 "ios/amd64", "ios/arm64",
1750 "aix/ppc64",
1751 "openbsd/arm64",
1752 "windows/386", "windows/amd64", "windows/arm", "windows/arm64":
1753 return true
1754 }
1755 return false
1756
1757 case "shared":
1758 switch platform {
1759 case "linux/386", "linux/amd64", "linux/arm", "linux/arm64", "linux/ppc64le", "linux/s390x":
1760 return true
1761 }
1762 return false
1763
1764 case "plugin":
1765 switch platform {
1766 case "linux/amd64", "linux/arm", "linux/arm64", "linux/386", "linux/loong64", "linux/s390x", "linux/ppc64le",
1767 "android/amd64", "android/386",
1768 "darwin/amd64", "darwin/arm64",
1769 "freebsd/amd64":
1770 return true
1771 }
1772 return false
1773
1774 default:
1775 return false
1776 }
1777 }
1778
1779
1780
1781
1782 func isUnsupportedVMASize(w *work) bool {
1783 unsupportedVMA := []byte("unsupported VMA range")
1784 return strings.Contains(w.dt.name, ":race") && bytes.Contains(w.out.Bytes(), unsupportedVMA)
1785 }
1786
1787
1788
1789 func isEnvSet(evar string) bool {
1790 evarEq := evar + "="
1791 for _, e := range os.Environ() {
1792 if strings.HasPrefix(e, evarEq) {
1793 return true
1794 }
1795 }
1796 return false
1797 }
1798
1799 func (t *tester) fipsSupported() bool {
1800
1801
1802
1803 if strings.Contains(goexperiment, "boringcrypto") {
1804 return false
1805 }
1806
1807
1808
1809
1810
1811 switch {
1812 case goarch == "wasm",
1813 goos == "windows" && goarch == "386",
1814 goos == "windows" && goarch == "arm",
1815 goos == "openbsd",
1816 goos == "aix":
1817 return false
1818 }
1819
1820
1821
1822 if t.asan {
1823 return false
1824 }
1825
1826 return true
1827 }
1828
1829
1830 func fipsVersions(short bool) []string {
1831 var versions []string
1832 zips, err := filepath.Glob(filepath.Join(goroot, "lib/fips140/*.zip"))
1833 if err != nil {
1834 fatalf("%v", err)
1835 }
1836 for _, zip := range zips {
1837 versions = append(versions, strings.TrimSuffix(filepath.Base(zip), ".zip"))
1838 }
1839 txts, err := filepath.Glob(filepath.Join(goroot, "lib/fips140/*.txt"))
1840 if err != nil {
1841 fatalf("%v", err)
1842 }
1843 for _, txt := range txts {
1844 versions = append(versions, strings.TrimSuffix(filepath.Base(txt), ".txt"))
1845 }
1846 return versions
1847 }
1848
View as plain text