Source file
src/testing/testing.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 package testing
398
399 import (
400 "bytes"
401 "context"
402 "errors"
403 "flag"
404 "fmt"
405 "internal/race"
406 "io"
407 "math/rand"
408 "os"
409 "path/filepath"
410 "reflect"
411 "runtime"
412 "runtime/debug"
413 "runtime/trace"
414 "slices"
415 "strconv"
416 "strings"
417 "sync"
418 "sync/atomic"
419 "time"
420 "unicode"
421 "unicode/utf8"
422 )
423
424 var initRan bool
425
426 var (
427 parallelStart atomic.Int64
428 parallelStop atomic.Int64
429 )
430
431
432
433
434
435
436 func Init() {
437 if initRan {
438 return
439 }
440 initRan = true
441
442
443
444
445
446 short = flag.Bool("test.short", false, "run smaller test suite to save time")
447
448
449 failFast = flag.Bool("test.failfast", false, "do not start new tests after the first test failure")
450
451
452
453
454
455 outputDir = flag.String("test.outputdir", "", "write profiles to `dir`")
456
457 flag.Var(&chatty, "test.v", "verbose: print additional output")
458 count = flag.Uint("test.count", 1, "run tests and benchmarks `n` times")
459 coverProfile = flag.String("test.coverprofile", "", "write a coverage profile to `file`")
460 gocoverdir = flag.String("test.gocoverdir", "", "write coverage intermediate files to this directory")
461 matchList = flag.String("test.list", "", "list tests, examples, and benchmarks matching `regexp` then exit")
462 match = flag.String("test.run", "", "run only tests and examples matching `regexp`")
463 skip = flag.String("test.skip", "", "do not list or run tests matching `regexp`")
464 memProfile = flag.String("test.memprofile", "", "write an allocation profile to `file`")
465 memProfileRate = flag.Int("test.memprofilerate", 0, "set memory allocation profiling `rate` (see runtime.MemProfileRate)")
466 cpuProfile = flag.String("test.cpuprofile", "", "write a cpu profile to `file`")
467 blockProfile = flag.String("test.blockprofile", "", "write a goroutine blocking profile to `file`")
468 blockProfileRate = flag.Int("test.blockprofilerate", 1, "set blocking profile `rate` (see runtime.SetBlockProfileRate)")
469 mutexProfile = flag.String("test.mutexprofile", "", "write a mutex contention profile to the named file after execution")
470 mutexProfileFraction = flag.Int("test.mutexprofilefraction", 1, "if >= 0, calls runtime.SetMutexProfileFraction()")
471 panicOnExit0 = flag.Bool("test.paniconexit0", false, "panic on call to os.Exit(0)")
472 traceFile = flag.String("test.trace", "", "write an execution trace to `file`")
473 timeout = flag.Duration("test.timeout", 0, "panic test binary after duration `d` (default 0, timeout disabled)")
474 cpuListStr = flag.String("test.cpu", "", "comma-separated `list` of cpu counts to run each test with")
475 parallel = flag.Int("test.parallel", runtime.GOMAXPROCS(0), "run at most `n` tests in parallel")
476 testlog = flag.String("test.testlogfile", "", "write test action log to `file` (for use only by cmd/go)")
477 shuffle = flag.String("test.shuffle", "off", "randomize the execution order of tests and benchmarks")
478 fullPath = flag.Bool("test.fullpath", false, "show full file names in error messages")
479
480 initBenchmarkFlags()
481 initFuzzFlags()
482 }
483
484 var (
485
486 short *bool
487 failFast *bool
488 outputDir *string
489 chatty chattyFlag
490 count *uint
491 coverProfile *string
492 gocoverdir *string
493 matchList *string
494 match *string
495 skip *string
496 memProfile *string
497 memProfileRate *int
498 cpuProfile *string
499 blockProfile *string
500 blockProfileRate *int
501 mutexProfile *string
502 mutexProfileFraction *int
503 panicOnExit0 *bool
504 traceFile *string
505 timeout *time.Duration
506 cpuListStr *string
507 parallel *int
508 shuffle *string
509 testlog *string
510 fullPath *bool
511
512 haveExamples bool
513
514 cpuList []int
515 testlogFile *os.File
516
517 numFailed atomic.Uint32
518
519 running sync.Map
520 )
521
522 type chattyFlag struct {
523 on bool
524 json bool
525 }
526
527 func (*chattyFlag) IsBoolFlag() bool { return true }
528
529 func (f *chattyFlag) Set(arg string) error {
530 switch arg {
531 default:
532 return fmt.Errorf("invalid flag -test.v=%s", arg)
533 case "true", "test2json":
534 f.on = true
535 f.json = arg == "test2json"
536 case "false":
537 f.on = false
538 f.json = false
539 }
540 return nil
541 }
542
543 func (f *chattyFlag) String() string {
544 if f.json {
545 return "test2json"
546 }
547 if f.on {
548 return "true"
549 }
550 return "false"
551 }
552
553 func (f *chattyFlag) Get() any {
554 if f.json {
555 return "test2json"
556 }
557 return f.on
558 }
559
560 const marker = byte(0x16)
561
562 func (f *chattyFlag) prefix() string {
563 if f.json {
564 return string(marker)
565 }
566 return ""
567 }
568
569 type chattyPrinter struct {
570 w io.Writer
571 lastNameMu sync.Mutex
572 lastName string
573 json bool
574 }
575
576 func newChattyPrinter(w io.Writer) *chattyPrinter {
577 return &chattyPrinter{w: w, json: chatty.json}
578 }
579
580
581
582
583
584 func (p *chattyPrinter) prefix() string {
585 if p != nil && p.json {
586 return string(marker)
587 }
588 return ""
589 }
590
591
592
593
594 func (p *chattyPrinter) Updatef(testName, format string, args ...any) {
595 p.lastNameMu.Lock()
596 defer p.lastNameMu.Unlock()
597
598
599
600
601
602 p.lastName = testName
603 fmt.Fprintf(p.w, p.prefix()+format, args...)
604 }
605
606
607
608 func (p *chattyPrinter) Printf(testName, format string, args ...any) {
609 p.lastNameMu.Lock()
610 defer p.lastNameMu.Unlock()
611
612 if p.lastName == "" {
613 p.lastName = testName
614 } else if p.lastName != testName {
615 fmt.Fprintf(p.w, "%s=== NAME %s\n", p.prefix(), testName)
616 p.lastName = testName
617 }
618
619 fmt.Fprintf(p.w, format, args...)
620 }
621
622
623
624 const maxStackLen = 50
625
626
627
628 type common struct {
629 mu sync.RWMutex
630 output []byte
631 w io.Writer
632 ran bool
633 failed bool
634 skipped bool
635 done bool
636 helperPCs map[uintptr]struct{}
637 helperNames map[string]struct{}
638 cleanups []func()
639 cleanupName string
640 cleanupPc []uintptr
641 finished bool
642 inFuzzFn bool
643
644 chatty *chattyPrinter
645 bench bool
646 hasSub atomic.Bool
647 cleanupStarted atomic.Bool
648 runner string
649 isParallel bool
650
651 parent *common
652 level int
653 creator []uintptr
654 name string
655 start highPrecisionTime
656 duration time.Duration
657 barrier chan bool
658 signal chan bool
659 sub []*T
660
661 lastRaceErrors atomic.Int64
662 raceErrorLogged atomic.Bool
663
664 tempDirMu sync.Mutex
665 tempDir string
666 tempDirErr error
667 tempDirSeq int32
668
669 ctx context.Context
670 cancelCtx context.CancelFunc
671 }
672
673
674 func Short() bool {
675 if short == nil {
676 panic("testing: Short called before Init")
677 }
678
679 if !flag.Parsed() {
680 panic("testing: Short called before Parse")
681 }
682
683 return *short
684 }
685
686
687
688
689
690
691
692
693 var testBinary = "0"
694
695
696
697
698 func Testing() bool {
699 return testBinary == "1"
700 }
701
702
703
704
705 func CoverMode() string {
706 return cover.mode
707 }
708
709
710 func Verbose() bool {
711
712 if !flag.Parsed() {
713 panic("testing: Verbose called before Parse")
714 }
715 return chatty.on
716 }
717
718 func (c *common) checkFuzzFn(name string) {
719 if c.inFuzzFn {
720 panic(fmt.Sprintf("testing: f.%s was called inside the fuzz target, use t.%s instead", name, name))
721 }
722 }
723
724
725
726
727
728
729 func (c *common) frameSkip(skip int) runtime.Frame {
730
731
732 shouldUnlock := false
733 defer func() {
734 if shouldUnlock {
735 c.mu.Unlock()
736 }
737 }()
738 var pc [maxStackLen]uintptr
739
740
741 n := runtime.Callers(skip+2, pc[:])
742 if n == 0 {
743 panic("testing: zero callers found")
744 }
745 frames := runtime.CallersFrames(pc[:n])
746 var firstFrame, prevFrame, frame runtime.Frame
747 for more := true; more; prevFrame = frame {
748 frame, more = frames.Next()
749 if frame.Function == "runtime.gopanic" {
750 continue
751 }
752 if frame.Function == c.cleanupName {
753 frames = runtime.CallersFrames(c.cleanupPc)
754 continue
755 }
756 if firstFrame.PC == 0 {
757 firstFrame = frame
758 }
759 if frame.Function == c.runner {
760
761
762
763
764
765
766 if c.level > 1 {
767 frames = runtime.CallersFrames(c.creator)
768 parent := c.parent
769
770
771
772 if shouldUnlock {
773 c.mu.Unlock()
774 }
775 c = parent
776
777
778
779 shouldUnlock = true
780 c.mu.Lock()
781 continue
782 }
783 return prevFrame
784 }
785
786 if c.helperNames == nil {
787 c.helperNames = make(map[string]struct{})
788 for pc := range c.helperPCs {
789 c.helperNames[pcToName(pc)] = struct{}{}
790 }
791 }
792 if _, ok := c.helperNames[frame.Function]; !ok {
793
794 return frame
795 }
796 }
797 return firstFrame
798 }
799
800
801
802
803 func (c *common) decorate(s string, skip int) string {
804 frame := c.frameSkip(skip)
805 file := frame.File
806 line := frame.Line
807 if file != "" {
808 if *fullPath {
809
810 } else if index := strings.LastIndexAny(file, `/\`); index >= 0 {
811 file = file[index+1:]
812 }
813 } else {
814 file = "???"
815 }
816 if line == 0 {
817 line = 1
818 }
819 buf := new(strings.Builder)
820
821 buf.WriteString(" ")
822 fmt.Fprintf(buf, "%s:%d: ", file, line)
823 lines := strings.Split(s, "\n")
824 if l := len(lines); l > 1 && lines[l-1] == "" {
825 lines = lines[:l-1]
826 }
827 for i, line := range lines {
828 if i > 0 {
829
830 buf.WriteString("\n ")
831 }
832 buf.WriteString(line)
833 }
834 buf.WriteByte('\n')
835 return buf.String()
836 }
837
838
839
840 func (c *common) flushToParent(testName, format string, args ...any) {
841 p := c.parent
842 p.mu.Lock()
843 defer p.mu.Unlock()
844
845 c.mu.Lock()
846 defer c.mu.Unlock()
847
848 if len(c.output) > 0 {
849
850
851
852 format += "%s"
853 args = append(args[:len(args):len(args)], c.output)
854 c.output = c.output[:0]
855 }
856
857 if c.chatty != nil && (p.w == c.chatty.w || c.chatty.json) {
858
859
860
861
862
863
864
865
866
867
868
869
870
871 c.chatty.Updatef(testName, format, args...)
872 } else {
873
874
875 fmt.Fprintf(p.w, c.chatty.prefix()+format, args...)
876 }
877 }
878
879 type indenter struct {
880 c *common
881 }
882
883 func (w indenter) Write(b []byte) (n int, err error) {
884 n = len(b)
885 for len(b) > 0 {
886 end := bytes.IndexByte(b, '\n')
887 if end == -1 {
888 end = len(b)
889 } else {
890 end++
891 }
892
893
894 line := b[:end]
895 if line[0] == marker {
896 w.c.output = append(w.c.output, marker)
897 line = line[1:]
898 }
899 const indent = " "
900 w.c.output = append(w.c.output, indent...)
901 w.c.output = append(w.c.output, line...)
902 b = b[end:]
903 }
904 return
905 }
906
907
908 func fmtDuration(d time.Duration) string {
909 return fmt.Sprintf("%.2fs", d.Seconds())
910 }
911
912
913 type TB interface {
914 Cleanup(func())
915 Error(args ...any)
916 Errorf(format string, args ...any)
917 Fail()
918 FailNow()
919 Failed() bool
920 Fatal(args ...any)
921 Fatalf(format string, args ...any)
922 Helper()
923 Log(args ...any)
924 Logf(format string, args ...any)
925 Name() string
926 Setenv(key, value string)
927 Chdir(dir string)
928 Skip(args ...any)
929 SkipNow()
930 Skipf(format string, args ...any)
931 Skipped() bool
932 TempDir() string
933 Context() context.Context
934
935
936
937
938 private()
939 }
940
941 var _ TB = (*T)(nil)
942 var _ TB = (*B)(nil)
943
944
945
946
947
948
949
950
951
952
953 type T struct {
954 common
955 denyParallel bool
956 tstate *testState
957 }
958
959 func (c *common) private() {}
960
961
962
963
964
965
966 func (c *common) Name() string {
967 return c.name
968 }
969
970 func (c *common) setRan() {
971 if c.parent != nil {
972 c.parent.setRan()
973 }
974 c.mu.Lock()
975 defer c.mu.Unlock()
976 c.ran = true
977 }
978
979
980 func (c *common) Fail() {
981 if c.parent != nil {
982 c.parent.Fail()
983 }
984 c.mu.Lock()
985 defer c.mu.Unlock()
986
987 if c.done {
988 panic("Fail in goroutine after " + c.name + " has completed")
989 }
990 c.failed = true
991 }
992
993
994 func (c *common) Failed() bool {
995 c.mu.RLock()
996 defer c.mu.RUnlock()
997
998 if !c.done && int64(race.Errors()) > c.lastRaceErrors.Load() {
999 c.mu.RUnlock()
1000 c.checkRaces()
1001 c.mu.RLock()
1002 }
1003
1004 return c.failed
1005 }
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015 func (c *common) FailNow() {
1016 c.checkFuzzFn("FailNow")
1017 c.Fail()
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038 c.mu.Lock()
1039 c.finished = true
1040 c.mu.Unlock()
1041 runtime.Goexit()
1042 }
1043
1044
1045 func (c *common) log(s string) {
1046 c.logDepth(s, 3)
1047 }
1048
1049
1050 func (c *common) logDepth(s string, depth int) {
1051 c.mu.Lock()
1052 defer c.mu.Unlock()
1053 if c.done {
1054
1055
1056 for parent := c.parent; parent != nil; parent = parent.parent {
1057 parent.mu.Lock()
1058 defer parent.mu.Unlock()
1059 if !parent.done {
1060 parent.output = append(parent.output, parent.decorate(s, depth+1)...)
1061 return
1062 }
1063 }
1064 panic("Log in goroutine after " + c.name + " has completed: " + s)
1065 } else {
1066 if c.chatty != nil {
1067 if c.bench {
1068
1069
1070 fmt.Print(c.decorate(s, depth+1))
1071 } else {
1072 c.chatty.Printf(c.name, "%s", c.decorate(s, depth+1))
1073 }
1074
1075 return
1076 }
1077 c.output = append(c.output, c.decorate(s, depth+1)...)
1078 }
1079 }
1080
1081
1082
1083
1084
1085
1086 func (c *common) Log(args ...any) {
1087 c.checkFuzzFn("Log")
1088 c.log(fmt.Sprintln(args...))
1089 }
1090
1091
1092
1093
1094
1095
1096
1097 func (c *common) Logf(format string, args ...any) {
1098 c.checkFuzzFn("Logf")
1099 c.log(fmt.Sprintf(format, args...))
1100 }
1101
1102
1103 func (c *common) Error(args ...any) {
1104 c.checkFuzzFn("Error")
1105 c.log(fmt.Sprintln(args...))
1106 c.Fail()
1107 }
1108
1109
1110 func (c *common) Errorf(format string, args ...any) {
1111 c.checkFuzzFn("Errorf")
1112 c.log(fmt.Sprintf(format, args...))
1113 c.Fail()
1114 }
1115
1116
1117 func (c *common) Fatal(args ...any) {
1118 c.checkFuzzFn("Fatal")
1119 c.log(fmt.Sprintln(args...))
1120 c.FailNow()
1121 }
1122
1123
1124 func (c *common) Fatalf(format string, args ...any) {
1125 c.checkFuzzFn("Fatalf")
1126 c.log(fmt.Sprintf(format, args...))
1127 c.FailNow()
1128 }
1129
1130
1131 func (c *common) Skip(args ...any) {
1132 c.checkFuzzFn("Skip")
1133 c.log(fmt.Sprintln(args...))
1134 c.SkipNow()
1135 }
1136
1137
1138 func (c *common) Skipf(format string, args ...any) {
1139 c.checkFuzzFn("Skipf")
1140 c.log(fmt.Sprintf(format, args...))
1141 c.SkipNow()
1142 }
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152 func (c *common) SkipNow() {
1153 c.checkFuzzFn("SkipNow")
1154 c.mu.Lock()
1155 c.skipped = true
1156 c.finished = true
1157 c.mu.Unlock()
1158 runtime.Goexit()
1159 }
1160
1161
1162 func (c *common) Skipped() bool {
1163 c.mu.RLock()
1164 defer c.mu.RUnlock()
1165 return c.skipped
1166 }
1167
1168
1169
1170
1171 func (c *common) Helper() {
1172 c.mu.Lock()
1173 defer c.mu.Unlock()
1174 if c.helperPCs == nil {
1175 c.helperPCs = make(map[uintptr]struct{})
1176 }
1177
1178 var pc [1]uintptr
1179 n := runtime.Callers(2, pc[:])
1180 if n == 0 {
1181 panic("testing: zero callers found")
1182 }
1183 if _, found := c.helperPCs[pc[0]]; !found {
1184 c.helperPCs[pc[0]] = struct{}{}
1185 c.helperNames = nil
1186 }
1187 }
1188
1189
1190
1191
1192 func (c *common) Cleanup(f func()) {
1193 c.checkFuzzFn("Cleanup")
1194 var pc [maxStackLen]uintptr
1195
1196 n := runtime.Callers(2, pc[:])
1197 cleanupPc := pc[:n]
1198
1199 fn := func() {
1200 defer func() {
1201 c.mu.Lock()
1202 defer c.mu.Unlock()
1203 c.cleanupName = ""
1204 c.cleanupPc = nil
1205 }()
1206
1207 name := callerName(0)
1208 c.mu.Lock()
1209 c.cleanupName = name
1210 c.cleanupPc = cleanupPc
1211 c.mu.Unlock()
1212
1213 f()
1214 }
1215
1216 c.mu.Lock()
1217 defer c.mu.Unlock()
1218 c.cleanups = append(c.cleanups, fn)
1219 }
1220
1221
1222
1223
1224
1225
1226 func (c *common) TempDir() string {
1227 c.checkFuzzFn("TempDir")
1228
1229
1230 c.tempDirMu.Lock()
1231 var nonExistent bool
1232 if c.tempDir == "" {
1233 nonExistent = true
1234 } else {
1235 _, err := os.Stat(c.tempDir)
1236 nonExistent = os.IsNotExist(err)
1237 if err != nil && !nonExistent {
1238 c.Fatalf("TempDir: %v", err)
1239 }
1240 }
1241
1242 if nonExistent {
1243 c.Helper()
1244
1245
1246
1247
1248 mapper := func(r rune) rune {
1249 if r < utf8.RuneSelf {
1250 const allowed = "!#$%&()+,-.=@^_{}~ "
1251 if '0' <= r && r <= '9' ||
1252 'a' <= r && r <= 'z' ||
1253 'A' <= r && r <= 'Z' {
1254 return r
1255 }
1256 if strings.ContainsRune(allowed, r) {
1257 return r
1258 }
1259 } else if unicode.IsLetter(r) || unicode.IsNumber(r) {
1260 return r
1261 }
1262 return -1
1263 }
1264 pattern := strings.Map(mapper, c.Name())
1265 c.tempDir, c.tempDirErr = os.MkdirTemp("", pattern)
1266 if c.tempDirErr == nil {
1267 c.Cleanup(func() {
1268 if err := removeAll(c.tempDir); err != nil {
1269 c.Errorf("TempDir RemoveAll cleanup: %v", err)
1270 }
1271 })
1272 }
1273 }
1274
1275 if c.tempDirErr == nil {
1276 c.tempDirSeq++
1277 }
1278 seq := c.tempDirSeq
1279 c.tempDirMu.Unlock()
1280
1281 if c.tempDirErr != nil {
1282 c.Fatalf("TempDir: %v", c.tempDirErr)
1283 }
1284
1285 dir := fmt.Sprintf("%s%c%03d", c.tempDir, os.PathSeparator, seq)
1286 if err := os.Mkdir(dir, 0777); err != nil {
1287 c.Fatalf("TempDir: %v", err)
1288 }
1289 return dir
1290 }
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301 func removeAll(path string) error {
1302 const arbitraryTimeout = 2 * time.Second
1303 var (
1304 start time.Time
1305 nextSleep = 1 * time.Millisecond
1306 )
1307 for {
1308 err := os.RemoveAll(path)
1309 if !isWindowsRetryable(err) {
1310 return err
1311 }
1312 if start.IsZero() {
1313 start = time.Now()
1314 } else if d := time.Since(start) + nextSleep; d >= arbitraryTimeout {
1315 return err
1316 }
1317 time.Sleep(nextSleep)
1318 nextSleep += time.Duration(rand.Int63n(int64(nextSleep)))
1319 }
1320 }
1321
1322
1323
1324
1325
1326
1327
1328 func (c *common) Setenv(key, value string) {
1329 c.checkFuzzFn("Setenv")
1330 prevValue, ok := os.LookupEnv(key)
1331
1332 if err := os.Setenv(key, value); err != nil {
1333 c.Fatalf("cannot set environment variable: %v", err)
1334 }
1335
1336 if ok {
1337 c.Cleanup(func() {
1338 os.Setenv(key, prevValue)
1339 })
1340 } else {
1341 c.Cleanup(func() {
1342 os.Unsetenv(key)
1343 })
1344 }
1345 }
1346
1347
1348
1349
1350
1351
1352
1353 func (c *common) Chdir(dir string) {
1354 c.checkFuzzFn("Chdir")
1355 oldwd, err := os.Open(".")
1356 if err != nil {
1357 c.Fatal(err)
1358 }
1359 if err := os.Chdir(dir); err != nil {
1360 c.Fatal(err)
1361 }
1362
1363
1364
1365 switch runtime.GOOS {
1366 case "windows", "plan9":
1367
1368 default:
1369 if !filepath.IsAbs(dir) {
1370 dir, err = os.Getwd()
1371 if err != nil {
1372 c.Fatal(err)
1373 }
1374 }
1375 c.Setenv("PWD", dir)
1376 }
1377 c.Cleanup(func() {
1378 err := oldwd.Chdir()
1379 oldwd.Close()
1380 if err != nil {
1381
1382
1383
1384 panic("testing.Chdir: " + err.Error())
1385 }
1386 })
1387 }
1388
1389
1390
1391
1392
1393
1394 func (c *common) Context() context.Context {
1395 c.checkFuzzFn("Context")
1396 return c.ctx
1397 }
1398
1399
1400 type panicHandling int
1401
1402 const (
1403 normalPanic panicHandling = iota
1404 recoverAndReturnPanic
1405 )
1406
1407
1408
1409
1410 func (c *common) runCleanup(ph panicHandling) (panicVal any) {
1411 c.cleanupStarted.Store(true)
1412 defer c.cleanupStarted.Store(false)
1413
1414 if ph == recoverAndReturnPanic {
1415 defer func() {
1416 panicVal = recover()
1417 }()
1418 }
1419
1420
1421
1422 defer func() {
1423 c.mu.Lock()
1424 recur := len(c.cleanups) > 0
1425 c.mu.Unlock()
1426 if recur {
1427 c.runCleanup(normalPanic)
1428 }
1429 }()
1430
1431 if c.cancelCtx != nil {
1432 c.cancelCtx()
1433 }
1434
1435 for {
1436 var cleanup func()
1437 c.mu.Lock()
1438 if len(c.cleanups) > 0 {
1439 last := len(c.cleanups) - 1
1440 cleanup = c.cleanups[last]
1441 c.cleanups = c.cleanups[:last]
1442 }
1443 c.mu.Unlock()
1444 if cleanup == nil {
1445 return nil
1446 }
1447 cleanup()
1448 }
1449 }
1450
1451
1452
1453
1454
1455
1456 func (c *common) resetRaces() {
1457 if c.parent == nil {
1458 c.lastRaceErrors.Store(int64(race.Errors()))
1459 } else {
1460 c.lastRaceErrors.Store(c.parent.checkRaces())
1461 }
1462 }
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474 func (c *common) checkRaces() (raceErrors int64) {
1475 raceErrors = int64(race.Errors())
1476 for {
1477 last := c.lastRaceErrors.Load()
1478 if raceErrors <= last {
1479
1480 return raceErrors
1481 }
1482 if c.lastRaceErrors.CompareAndSwap(last, raceErrors) {
1483 break
1484 }
1485 }
1486
1487 if c.raceErrorLogged.CompareAndSwap(false, true) {
1488
1489
1490
1491
1492 c.Errorf("race detected during execution of test")
1493 }
1494
1495
1496 parent := c.parent
1497 for parent != nil {
1498 for {
1499 last := parent.lastRaceErrors.Load()
1500 if raceErrors <= last {
1501
1502 return raceErrors
1503 }
1504 if parent.lastRaceErrors.CompareAndSwap(last, raceErrors) {
1505 break
1506 }
1507 }
1508 parent = parent.parent
1509 }
1510
1511 return raceErrors
1512 }
1513
1514
1515
1516 func callerName(skip int) string {
1517 var pc [1]uintptr
1518 n := runtime.Callers(skip+2, pc[:])
1519 if n == 0 {
1520 panic("testing: zero callers found")
1521 }
1522 return pcToName(pc[0])
1523 }
1524
1525 func pcToName(pc uintptr) string {
1526 pcs := []uintptr{pc}
1527 frames := runtime.CallersFrames(pcs)
1528 frame, _ := frames.Next()
1529 return frame.Function
1530 }
1531
1532 const parallelConflict = `testing: test using t.Setenv or t.Chdir can not use t.Parallel`
1533
1534
1535
1536
1537
1538 func (t *T) Parallel() {
1539 if t.isParallel {
1540 panic("testing: t.Parallel called multiple times")
1541 }
1542 if t.denyParallel {
1543 panic(parallelConflict)
1544 }
1545 if t.parent.barrier == nil {
1546
1547
1548
1549 return
1550 }
1551
1552 t.isParallel = true
1553
1554
1555
1556
1557 t.duration += highPrecisionTimeSince(t.start)
1558
1559
1560 t.parent.sub = append(t.parent.sub, t)
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572 t.checkRaces()
1573
1574 if t.chatty != nil {
1575 t.chatty.Updatef(t.name, "=== PAUSE %s\n", t.name)
1576 }
1577 running.Delete(t.name)
1578
1579 t.signal <- true
1580 <-t.parent.barrier
1581 t.tstate.waitParallel()
1582 parallelStart.Add(1)
1583
1584 if t.chatty != nil {
1585 t.chatty.Updatef(t.name, "=== CONT %s\n", t.name)
1586 }
1587 running.Store(t.name, highPrecisionTimeNow())
1588 t.start = highPrecisionTimeNow()
1589
1590
1591
1592
1593
1594
1595
1596
1597 t.lastRaceErrors.Store(int64(race.Errors()))
1598 }
1599
1600 func (t *T) checkParallel() {
1601
1602
1603
1604
1605
1606 for c := &t.common; c != nil; c = c.parent {
1607 if c.isParallel {
1608 panic(parallelConflict)
1609 }
1610 }
1611
1612 t.denyParallel = true
1613 }
1614
1615
1616
1617
1618
1619
1620
1621 func (t *T) Setenv(key, value string) {
1622 t.checkParallel()
1623 t.common.Setenv(key, value)
1624 }
1625
1626
1627
1628
1629
1630
1631
1632 func (t *T) Chdir(dir string) {
1633 t.checkParallel()
1634 t.common.Chdir(dir)
1635 }
1636
1637
1638
1639 type InternalTest struct {
1640 Name string
1641 F func(*T)
1642 }
1643
1644 var errNilPanicOrGoexit = errors.New("test executed panic(nil) or runtime.Goexit")
1645
1646 func tRunner(t *T, fn func(t *T)) {
1647 t.runner = callerName(0)
1648
1649
1650
1651
1652
1653 defer func() {
1654 t.checkRaces()
1655
1656
1657 if t.Failed() {
1658 numFailed.Add(1)
1659 }
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669 err := recover()
1670 signal := true
1671
1672 t.mu.RLock()
1673 finished := t.finished
1674 t.mu.RUnlock()
1675 if !finished && err == nil {
1676 err = errNilPanicOrGoexit
1677 for p := t.parent; p != nil; p = p.parent {
1678 p.mu.RLock()
1679 finished = p.finished
1680 p.mu.RUnlock()
1681 if finished {
1682 if !t.isParallel {
1683 t.Errorf("%v: subtest may have called FailNow on a parent test", err)
1684 err = nil
1685 }
1686 signal = false
1687 break
1688 }
1689 }
1690 }
1691
1692 if err != nil && t.tstate.isFuzzing {
1693 prefix := "panic: "
1694 if err == errNilPanicOrGoexit {
1695 prefix = ""
1696 }
1697 t.Errorf("%s%s\n%s\n", prefix, err, string(debug.Stack()))
1698 t.mu.Lock()
1699 t.finished = true
1700 t.mu.Unlock()
1701 err = nil
1702 }
1703
1704
1705
1706 didPanic := false
1707 defer func() {
1708
1709
1710
1711 if didPanic {
1712 return
1713 }
1714 if err != nil {
1715 panic(err)
1716 }
1717 running.Delete(t.name)
1718 if t.isParallel {
1719 parallelStop.Add(1)
1720 }
1721 t.signal <- signal
1722 }()
1723
1724 doPanic := func(err any) {
1725 t.Fail()
1726 if r := t.runCleanup(recoverAndReturnPanic); r != nil {
1727 t.Logf("cleanup panicked with %v", r)
1728 }
1729
1730 for root := &t.common; root.parent != nil; root = root.parent {
1731 root.mu.Lock()
1732 root.duration += highPrecisionTimeSince(root.start)
1733 d := root.duration
1734 root.mu.Unlock()
1735 root.flushToParent(root.name, "--- FAIL: %s (%s)\n", root.name, fmtDuration(d))
1736 if r := root.parent.runCleanup(recoverAndReturnPanic); r != nil {
1737 fmt.Fprintf(root.parent.w, "cleanup panicked with %v", r)
1738 }
1739 }
1740 didPanic = true
1741 panic(err)
1742 }
1743 if err != nil {
1744 doPanic(err)
1745 }
1746
1747 t.duration += highPrecisionTimeSince(t.start)
1748
1749 if len(t.sub) > 0 {
1750
1751
1752
1753 t.tstate.release()
1754 running.Delete(t.name)
1755
1756
1757 close(t.barrier)
1758
1759 for _, sub := range t.sub {
1760 <-sub.signal
1761 }
1762
1763
1764
1765 cleanupStart := highPrecisionTimeNow()
1766 running.Store(t.name, cleanupStart)
1767 err := t.runCleanup(recoverAndReturnPanic)
1768 t.duration += highPrecisionTimeSince(cleanupStart)
1769 if err != nil {
1770 doPanic(err)
1771 }
1772 t.checkRaces()
1773 if !t.isParallel {
1774
1775 t.tstate.waitParallel()
1776 }
1777 } else if t.isParallel {
1778
1779
1780 t.tstate.release()
1781 }
1782 t.report()
1783
1784
1785
1786 t.done = true
1787 if t.parent != nil && !t.hasSub.Load() {
1788 t.setRan()
1789 }
1790 }()
1791 defer func() {
1792 if len(t.sub) == 0 {
1793 t.runCleanup(normalPanic)
1794 }
1795 }()
1796
1797 t.start = highPrecisionTimeNow()
1798 t.resetRaces()
1799 fn(t)
1800
1801
1802 t.mu.Lock()
1803 t.finished = true
1804 t.mu.Unlock()
1805 }
1806
1807
1808
1809
1810
1811
1812
1813 func (t *T) Run(name string, f func(t *T)) bool {
1814 if t.cleanupStarted.Load() {
1815 panic("testing: t.Run called during t.Cleanup")
1816 }
1817
1818 t.hasSub.Store(true)
1819 testName, ok, _ := t.tstate.match.fullName(&t.common, name)
1820 if !ok || shouldFailFast() {
1821 return true
1822 }
1823
1824
1825
1826 var pc [maxStackLen]uintptr
1827 n := runtime.Callers(2, pc[:])
1828
1829
1830
1831 ctx, cancelCtx := context.WithCancel(context.Background())
1832 t = &T{
1833 common: common{
1834 barrier: make(chan bool),
1835 signal: make(chan bool, 1),
1836 name: testName,
1837 parent: &t.common,
1838 level: t.level + 1,
1839 creator: pc[:n],
1840 chatty: t.chatty,
1841 ctx: ctx,
1842 cancelCtx: cancelCtx,
1843 },
1844 tstate: t.tstate,
1845 }
1846 t.w = indenter{&t.common}
1847
1848 if t.chatty != nil {
1849 t.chatty.Updatef(t.name, "=== RUN %s\n", t.name)
1850 }
1851 running.Store(t.name, highPrecisionTimeNow())
1852
1853
1854
1855
1856
1857
1858 go tRunner(t, f)
1859
1860
1861
1862
1863
1864
1865
1866 if !<-t.signal {
1867
1868
1869 runtime.Goexit()
1870 }
1871
1872 if t.chatty != nil && t.chatty.json {
1873 t.chatty.Updatef(t.parent.name, "=== NAME %s\n", t.parent.name)
1874 }
1875 return !t.failed
1876 }
1877
1878
1879
1880
1881
1882 func (t *T) Deadline() (deadline time.Time, ok bool) {
1883 deadline = t.tstate.deadline
1884 return deadline, !deadline.IsZero()
1885 }
1886
1887
1888
1889 type testState struct {
1890 match *matcher
1891 deadline time.Time
1892
1893
1894
1895
1896
1897 isFuzzing bool
1898
1899 mu sync.Mutex
1900
1901
1902 startParallel chan bool
1903
1904
1905
1906 running int
1907
1908
1909 numWaiting int
1910
1911
1912 maxParallel int
1913 }
1914
1915 func newTestState(maxParallel int, m *matcher) *testState {
1916 return &testState{
1917 match: m,
1918 startParallel: make(chan bool),
1919 maxParallel: maxParallel,
1920 running: 1,
1921 }
1922 }
1923
1924 func (s *testState) waitParallel() {
1925 s.mu.Lock()
1926 if s.running < s.maxParallel {
1927 s.running++
1928 s.mu.Unlock()
1929 return
1930 }
1931 s.numWaiting++
1932 s.mu.Unlock()
1933 <-s.startParallel
1934 }
1935
1936 func (s *testState) release() {
1937 s.mu.Lock()
1938 if s.numWaiting == 0 {
1939 s.running--
1940 s.mu.Unlock()
1941 return
1942 }
1943 s.numWaiting--
1944 s.mu.Unlock()
1945 s.startParallel <- true
1946 }
1947
1948
1949
1950 var errMain = errors.New("testing: unexpected use of func Main")
1951
1952 type matchStringOnly func(pat, str string) (bool, error)
1953
1954 func (f matchStringOnly) MatchString(pat, str string) (bool, error) { return f(pat, str) }
1955 func (f matchStringOnly) StartCPUProfile(w io.Writer) error { return errMain }
1956 func (f matchStringOnly) StopCPUProfile() {}
1957 func (f matchStringOnly) WriteProfileTo(string, io.Writer, int) error { return errMain }
1958 func (f matchStringOnly) ImportPath() string { return "" }
1959 func (f matchStringOnly) StartTestLog(io.Writer) {}
1960 func (f matchStringOnly) StopTestLog() error { return errMain }
1961 func (f matchStringOnly) SetPanicOnExit0(bool) {}
1962 func (f matchStringOnly) CoordinateFuzzing(time.Duration, int64, time.Duration, int64, int, []corpusEntry, []reflect.Type, string, string) error {
1963 return errMain
1964 }
1965 func (f matchStringOnly) RunFuzzWorker(func(corpusEntry) error) error { return errMain }
1966 func (f matchStringOnly) ReadCorpus(string, []reflect.Type) ([]corpusEntry, error) {
1967 return nil, errMain
1968 }
1969 func (f matchStringOnly) CheckCorpus([]any, []reflect.Type) error { return nil }
1970 func (f matchStringOnly) ResetCoverage() {}
1971 func (f matchStringOnly) SnapshotCoverage() {}
1972
1973 func (f matchStringOnly) InitRuntimeCoverage() (mode string, tearDown func(string, string) (string, error), snapcov func() float64) {
1974 return
1975 }
1976
1977
1978
1979
1980
1981
1982
1983 func Main(matchString func(pat, str string) (bool, error), tests []InternalTest, benchmarks []InternalBenchmark, examples []InternalExample) {
1984 os.Exit(MainStart(matchStringOnly(matchString), tests, benchmarks, nil, examples).Run())
1985 }
1986
1987
1988 type M struct {
1989 deps testDeps
1990 tests []InternalTest
1991 benchmarks []InternalBenchmark
1992 fuzzTargets []InternalFuzzTarget
1993 examples []InternalExample
1994
1995 timer *time.Timer
1996 afterOnce sync.Once
1997
1998 numRun int
1999
2000
2001
2002 exitCode int
2003 }
2004
2005
2006
2007
2008
2009 type testDeps interface {
2010 ImportPath() string
2011 MatchString(pat, str string) (bool, error)
2012 SetPanicOnExit0(bool)
2013 StartCPUProfile(io.Writer) error
2014 StopCPUProfile()
2015 StartTestLog(io.Writer)
2016 StopTestLog() error
2017 WriteProfileTo(string, io.Writer, int) error
2018 CoordinateFuzzing(time.Duration, int64, time.Duration, int64, int, []corpusEntry, []reflect.Type, string, string) error
2019 RunFuzzWorker(func(corpusEntry) error) error
2020 ReadCorpus(string, []reflect.Type) ([]corpusEntry, error)
2021 CheckCorpus([]any, []reflect.Type) error
2022 ResetCoverage()
2023 SnapshotCoverage()
2024 InitRuntimeCoverage() (mode string, tearDown func(coverprofile string, gocoverdir string) (string, error), snapcov func() float64)
2025 }
2026
2027
2028
2029
2030 func MainStart(deps testDeps, tests []InternalTest, benchmarks []InternalBenchmark, fuzzTargets []InternalFuzzTarget, examples []InternalExample) *M {
2031 registerCover(deps.InitRuntimeCoverage())
2032 Init()
2033 return &M{
2034 deps: deps,
2035 tests: tests,
2036 benchmarks: benchmarks,
2037 fuzzTargets: fuzzTargets,
2038 examples: examples,
2039 }
2040 }
2041
2042 var testingTesting bool
2043 var realStderr *os.File
2044
2045
2046
2047
2048
2049 func (m *M) Run() (code int) {
2050 defer func() {
2051 code = m.exitCode
2052 }()
2053
2054
2055
2056
2057
2058 m.numRun++
2059
2060
2061 if !flag.Parsed() {
2062 flag.Parse()
2063 }
2064
2065 if chatty.json {
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099 realStderr = os.Stderr
2100 os.Stderr = os.Stdout
2101 }
2102
2103 if *parallel < 1 {
2104 fmt.Fprintln(os.Stderr, "testing: -parallel can only be given a positive integer")
2105 flag.Usage()
2106 m.exitCode = 2
2107 return
2108 }
2109 if *matchFuzz != "" && *fuzzCacheDir == "" {
2110 fmt.Fprintln(os.Stderr, "testing: -test.fuzzcachedir must be set if -test.fuzz is set")
2111 flag.Usage()
2112 m.exitCode = 2
2113 return
2114 }
2115
2116 if *matchList != "" {
2117 listTests(m.deps.MatchString, m.tests, m.benchmarks, m.fuzzTargets, m.examples)
2118 m.exitCode = 0
2119 return
2120 }
2121
2122 if *shuffle != "off" {
2123 var n int64
2124 var err error
2125 if *shuffle == "on" {
2126 n = time.Now().UnixNano()
2127 } else {
2128 n, err = strconv.ParseInt(*shuffle, 10, 64)
2129 if err != nil {
2130 fmt.Fprintln(os.Stderr, `testing: -shuffle should be "off", "on", or a valid integer:`, err)
2131 m.exitCode = 2
2132 return
2133 }
2134 }
2135 fmt.Println("-test.shuffle", n)
2136 rng := rand.New(rand.NewSource(n))
2137 rng.Shuffle(len(m.tests), func(i, j int) { m.tests[i], m.tests[j] = m.tests[j], m.tests[i] })
2138 rng.Shuffle(len(m.benchmarks), func(i, j int) { m.benchmarks[i], m.benchmarks[j] = m.benchmarks[j], m.benchmarks[i] })
2139 }
2140
2141 parseCpuList()
2142
2143 m.before()
2144 defer m.after()
2145
2146
2147
2148
2149 if !*isFuzzWorker {
2150 deadline := m.startAlarm()
2151 haveExamples = len(m.examples) > 0
2152 testRan, testOk := runTests(m.deps.MatchString, m.tests, deadline)
2153 fuzzTargetsRan, fuzzTargetsOk := runFuzzTests(m.deps, m.fuzzTargets, deadline)
2154 exampleRan, exampleOk := runExamples(m.deps.MatchString, m.examples)
2155 m.stopAlarm()
2156 if !testRan && !exampleRan && !fuzzTargetsRan && *matchBenchmarks == "" && *matchFuzz == "" {
2157 fmt.Fprintln(os.Stderr, "testing: warning: no tests to run")
2158 if testingTesting && *match != "^$" {
2159
2160
2161
2162
2163
2164 fmt.Print(chatty.prefix(), "FAIL: package testing must run tests\n")
2165 testOk = false
2166 }
2167 }
2168 anyFailed := !testOk || !exampleOk || !fuzzTargetsOk || !runBenchmarks(m.deps.ImportPath(), m.deps.MatchString, m.benchmarks)
2169 if !anyFailed && race.Errors() > 0 {
2170 fmt.Print(chatty.prefix(), "testing: race detected outside of test execution\n")
2171 anyFailed = true
2172 }
2173 if anyFailed {
2174 fmt.Print(chatty.prefix(), "FAIL\n")
2175 m.exitCode = 1
2176 return
2177 }
2178 }
2179
2180 fuzzingOk := runFuzzing(m.deps, m.fuzzTargets)
2181 if !fuzzingOk {
2182 fmt.Print(chatty.prefix(), "FAIL\n")
2183 if *isFuzzWorker {
2184 m.exitCode = fuzzWorkerExitCode
2185 } else {
2186 m.exitCode = 1
2187 }
2188 return
2189 }
2190
2191 m.exitCode = 0
2192 if !*isFuzzWorker {
2193 fmt.Print(chatty.prefix(), "PASS\n")
2194 }
2195 return
2196 }
2197
2198 func (t *T) report() {
2199 if t.parent == nil {
2200 return
2201 }
2202 dstr := fmtDuration(t.duration)
2203 format := "--- %s: %s (%s)\n"
2204 if t.Failed() {
2205 t.flushToParent(t.name, format, "FAIL", t.name, dstr)
2206 } else if t.chatty != nil {
2207 if t.Skipped() {
2208 t.flushToParent(t.name, format, "SKIP", t.name, dstr)
2209 } else {
2210 t.flushToParent(t.name, format, "PASS", t.name, dstr)
2211 }
2212 }
2213 }
2214
2215 func listTests(matchString func(pat, str string) (bool, error), tests []InternalTest, benchmarks []InternalBenchmark, fuzzTargets []InternalFuzzTarget, examples []InternalExample) {
2216 if _, err := matchString(*matchList, "non-empty"); err != nil {
2217 fmt.Fprintf(os.Stderr, "testing: invalid regexp in -test.list (%q): %s\n", *matchList, err)
2218 os.Exit(1)
2219 }
2220
2221 for _, test := range tests {
2222 if ok, _ := matchString(*matchList, test.Name); ok {
2223 fmt.Println(test.Name)
2224 }
2225 }
2226 for _, bench := range benchmarks {
2227 if ok, _ := matchString(*matchList, bench.Name); ok {
2228 fmt.Println(bench.Name)
2229 }
2230 }
2231 for _, fuzzTarget := range fuzzTargets {
2232 if ok, _ := matchString(*matchList, fuzzTarget.Name); ok {
2233 fmt.Println(fuzzTarget.Name)
2234 }
2235 }
2236 for _, example := range examples {
2237 if ok, _ := matchString(*matchList, example.Name); ok {
2238 fmt.Println(example.Name)
2239 }
2240 }
2241 }
2242
2243
2244
2245 func RunTests(matchString func(pat, str string) (bool, error), tests []InternalTest) (ok bool) {
2246 var deadline time.Time
2247 if *timeout > 0 {
2248 deadline = time.Now().Add(*timeout)
2249 }
2250 ran, ok := runTests(matchString, tests, deadline)
2251 if !ran && !haveExamples {
2252 fmt.Fprintln(os.Stderr, "testing: warning: no tests to run")
2253 }
2254 return ok
2255 }
2256
2257 func runTests(matchString func(pat, str string) (bool, error), tests []InternalTest, deadline time.Time) (ran, ok bool) {
2258 ok = true
2259 for _, procs := range cpuList {
2260 runtime.GOMAXPROCS(procs)
2261 for i := uint(0); i < *count; i++ {
2262 if shouldFailFast() {
2263 break
2264 }
2265 if i > 0 && !ran {
2266
2267
2268
2269 break
2270 }
2271 ctx, cancelCtx := context.WithCancel(context.Background())
2272 tstate := newTestState(*parallel, newMatcher(matchString, *match, "-test.run", *skip))
2273 tstate.deadline = deadline
2274 t := &T{
2275 common: common{
2276 signal: make(chan bool, 1),
2277 barrier: make(chan bool),
2278 w: os.Stdout,
2279 ctx: ctx,
2280 cancelCtx: cancelCtx,
2281 },
2282 tstate: tstate,
2283 }
2284 if Verbose() {
2285 t.chatty = newChattyPrinter(t.w)
2286 }
2287 tRunner(t, func(t *T) {
2288 for _, test := range tests {
2289 t.Run(test.Name, test.F)
2290 }
2291 })
2292 select {
2293 case <-t.signal:
2294 default:
2295 panic("internal error: tRunner exited without sending on t.signal")
2296 }
2297 ok = ok && !t.Failed()
2298 ran = ran || t.ran
2299 }
2300 }
2301 return ran, ok
2302 }
2303
2304
2305 func (m *M) before() {
2306 if *memProfileRate > 0 {
2307 runtime.MemProfileRate = *memProfileRate
2308 }
2309 if *cpuProfile != "" {
2310 f, err := os.Create(toOutputDir(*cpuProfile))
2311 if err != nil {
2312 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2313 return
2314 }
2315 if err := m.deps.StartCPUProfile(f); err != nil {
2316 fmt.Fprintf(os.Stderr, "testing: can't start cpu profile: %s\n", err)
2317 f.Close()
2318 return
2319 }
2320
2321 }
2322 if *traceFile != "" {
2323 f, err := os.Create(toOutputDir(*traceFile))
2324 if err != nil {
2325 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2326 return
2327 }
2328 if err := trace.Start(f); err != nil {
2329 fmt.Fprintf(os.Stderr, "testing: can't start tracing: %s\n", err)
2330 f.Close()
2331 return
2332 }
2333
2334 }
2335 if *blockProfile != "" && *blockProfileRate >= 0 {
2336 runtime.SetBlockProfileRate(*blockProfileRate)
2337 }
2338 if *mutexProfile != "" && *mutexProfileFraction >= 0 {
2339 runtime.SetMutexProfileFraction(*mutexProfileFraction)
2340 }
2341 if *coverProfile != "" && CoverMode() == "" {
2342 fmt.Fprintf(os.Stderr, "testing: cannot use -test.coverprofile because test binary was not built with coverage enabled\n")
2343 os.Exit(2)
2344 }
2345 if *gocoverdir != "" && CoverMode() == "" {
2346 fmt.Fprintf(os.Stderr, "testing: cannot use -test.gocoverdir because test binary was not built with coverage enabled\n")
2347 os.Exit(2)
2348 }
2349 if *testlog != "" {
2350
2351
2352 var f *os.File
2353 var err error
2354 if m.numRun == 1 {
2355 f, err = os.Create(*testlog)
2356 } else {
2357 f, err = os.OpenFile(*testlog, os.O_WRONLY, 0)
2358 if err == nil {
2359 f.Seek(0, io.SeekEnd)
2360 }
2361 }
2362 if err != nil {
2363 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2364 os.Exit(2)
2365 }
2366 m.deps.StartTestLog(f)
2367 testlogFile = f
2368 }
2369 if *panicOnExit0 {
2370 m.deps.SetPanicOnExit0(true)
2371 }
2372 }
2373
2374
2375 func (m *M) after() {
2376 m.afterOnce.Do(func() {
2377 m.writeProfiles()
2378 })
2379
2380
2381
2382
2383 if *panicOnExit0 {
2384 m.deps.SetPanicOnExit0(false)
2385 }
2386 }
2387
2388 func (m *M) writeProfiles() {
2389 if *testlog != "" {
2390 if err := m.deps.StopTestLog(); err != nil {
2391 fmt.Fprintf(os.Stderr, "testing: can't write %s: %s\n", *testlog, err)
2392 os.Exit(2)
2393 }
2394 if err := testlogFile.Close(); err != nil {
2395 fmt.Fprintf(os.Stderr, "testing: can't write %s: %s\n", *testlog, err)
2396 os.Exit(2)
2397 }
2398 }
2399 if *cpuProfile != "" {
2400 m.deps.StopCPUProfile()
2401 }
2402 if *traceFile != "" {
2403 trace.Stop()
2404 }
2405 if *memProfile != "" {
2406 f, err := os.Create(toOutputDir(*memProfile))
2407 if err != nil {
2408 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2409 os.Exit(2)
2410 }
2411 runtime.GC()
2412 if err = m.deps.WriteProfileTo("allocs", f, 0); err != nil {
2413 fmt.Fprintf(os.Stderr, "testing: can't write %s: %s\n", *memProfile, err)
2414 os.Exit(2)
2415 }
2416 f.Close()
2417 }
2418 if *blockProfile != "" && *blockProfileRate >= 0 {
2419 f, err := os.Create(toOutputDir(*blockProfile))
2420 if err != nil {
2421 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2422 os.Exit(2)
2423 }
2424 if err = m.deps.WriteProfileTo("block", f, 0); err != nil {
2425 fmt.Fprintf(os.Stderr, "testing: can't write %s: %s\n", *blockProfile, err)
2426 os.Exit(2)
2427 }
2428 f.Close()
2429 }
2430 if *mutexProfile != "" && *mutexProfileFraction >= 0 {
2431 f, err := os.Create(toOutputDir(*mutexProfile))
2432 if err != nil {
2433 fmt.Fprintf(os.Stderr, "testing: %s\n", err)
2434 os.Exit(2)
2435 }
2436 if err = m.deps.WriteProfileTo("mutex", f, 0); err != nil {
2437 fmt.Fprintf(os.Stderr, "testing: can't write %s: %s\n", *mutexProfile, err)
2438 os.Exit(2)
2439 }
2440 f.Close()
2441 }
2442 if CoverMode() != "" {
2443 coverReport()
2444 }
2445 }
2446
2447
2448
2449 func toOutputDir(path string) string {
2450 if *outputDir == "" || path == "" {
2451 return path
2452 }
2453
2454
2455
2456
2457
2458
2459
2460 if runtime.GOOS == "windows" && len(path) >= 2 {
2461 letter, colon := path[0], path[1]
2462 if ('a' <= letter && letter <= 'z' || 'A' <= letter && letter <= 'Z') && colon == ':' {
2463
2464 return path
2465 }
2466 }
2467 if os.IsPathSeparator(path[0]) {
2468 return path
2469 }
2470 return fmt.Sprintf("%s%c%s", *outputDir, os.PathSeparator, path)
2471 }
2472
2473
2474 func (m *M) startAlarm() time.Time {
2475 if *timeout <= 0 {
2476 return time.Time{}
2477 }
2478
2479 deadline := time.Now().Add(*timeout)
2480 m.timer = time.AfterFunc(*timeout, func() {
2481 m.after()
2482 debug.SetTraceback("all")
2483 extra := ""
2484
2485 if list := runningList(); len(list) > 0 {
2486 var b strings.Builder
2487 b.WriteString("\nrunning tests:")
2488 for _, name := range list {
2489 b.WriteString("\n\t")
2490 b.WriteString(name)
2491 }
2492 extra = b.String()
2493 }
2494 panic(fmt.Sprintf("test timed out after %v%s", *timeout, extra))
2495 })
2496 return deadline
2497 }
2498
2499
2500 func runningList() []string {
2501 var list []string
2502 running.Range(func(k, v any) bool {
2503 list = append(list, fmt.Sprintf("%s (%v)", k.(string), highPrecisionTimeSince(v.(highPrecisionTime)).Round(time.Second)))
2504 return true
2505 })
2506 slices.Sort(list)
2507 return list
2508 }
2509
2510
2511 func (m *M) stopAlarm() {
2512 if *timeout > 0 {
2513 m.timer.Stop()
2514 }
2515 }
2516
2517 func parseCpuList() {
2518 for val := range strings.SplitSeq(*cpuListStr, ",") {
2519 val = strings.TrimSpace(val)
2520 if val == "" {
2521 continue
2522 }
2523 cpu, err := strconv.Atoi(val)
2524 if err != nil || cpu <= 0 {
2525 fmt.Fprintf(os.Stderr, "testing: invalid value %q for -test.cpu\n", val)
2526 os.Exit(1)
2527 }
2528 cpuList = append(cpuList, cpu)
2529 }
2530 if cpuList == nil {
2531 cpuList = append(cpuList, runtime.GOMAXPROCS(-1))
2532 }
2533 }
2534
2535 func shouldFailFast() bool {
2536 return *failFast && numFailed.Load() > 0
2537 }
2538
View as plain text