Source file src/testing/testing.go

     1  // Copyright 2009 The Go Authors. All rights reserved.
     2  // Use of this source code is governed by a BSD-style
     3  // license that can be found in the LICENSE file.
     4  
     5  // Package testing provides support for automated testing of Go packages.
     6  // It is intended to be used in concert with the "go test" command, which automates
     7  // execution of any function of the form
     8  //
     9  //	func TestXxx(*testing.T)
    10  //
    11  // where Xxx does not start with a lowercase letter. The function name
    12  // serves to identify the test routine.
    13  //
    14  // Within these functions, use the Error, Fail or related methods to signal failure.
    15  //
    16  // To write a new test suite, create a file that
    17  // contains the TestXxx functions as described here,
    18  // and give that file a name ending in "_test.go".
    19  // The file will be excluded from regular
    20  // package builds but will be included when the "go test" command is run.
    21  //
    22  // The test file can be in the same package as the one being tested,
    23  // or in a corresponding package with the suffix "_test".
    24  //
    25  // If the test file is in the same package, it may refer to unexported
    26  // identifiers within the package, as in this example:
    27  //
    28  //	package abs
    29  //
    30  //	import "testing"
    31  //
    32  //	func TestAbs(t *testing.T) {
    33  //	    got := Abs(-1)
    34  //	    if got != 1 {
    35  //	        t.Errorf("Abs(-1) = %d; want 1", got)
    36  //	    }
    37  //	}
    38  //
    39  // If the file is in a separate "_test" package, the package being tested
    40  // must be imported explicitly and only its exported identifiers may be used.
    41  // This is known as "black box" testing.
    42  //
    43  //	package abs_test
    44  //
    45  //	import (
    46  //		"testing"
    47  //
    48  //		"path_to_pkg/abs"
    49  //	)
    50  //
    51  //	func TestAbs(t *testing.T) {
    52  //	    got := abs.Abs(-1)
    53  //	    if got != 1 {
    54  //	        t.Errorf("Abs(-1) = %d; want 1", got)
    55  //	    }
    56  //	}
    57  //
    58  // For more detail, run "go help test" and "go help testflag".
    59  //
    60  // # Benchmarks
    61  //
    62  // Functions of the form
    63  //
    64  //	func BenchmarkXxx(*testing.B)
    65  //
    66  // are considered benchmarks, and are executed by the "go test" command when
    67  // its -bench flag is provided. Benchmarks are run sequentially.
    68  //
    69  // For a description of the testing flags, see
    70  // https://golang.org/cmd/go/#hdr-Testing_flags.
    71  //
    72  // A sample benchmark function looks like this:
    73  //
    74  //	func BenchmarkRandInt(b *testing.B) {
    75  //	    for b.Loop() {
    76  //	        rand.Int()
    77  //	    }
    78  //	}
    79  //
    80  // The output
    81  //
    82  //	BenchmarkRandInt-8   	68453040	        17.8 ns/op
    83  //
    84  // means that the body of the loop ran 68453040 times at a speed of 17.8 ns per loop.
    85  //
    86  // Only the body of the loop is timed, so benchmarks may do expensive
    87  // setup before calling b.Loop, which will not be counted toward the
    88  // benchmark measurement:
    89  //
    90  //	func BenchmarkBigLen(b *testing.B) {
    91  //	    big := NewBig()
    92  //	    for b.Loop() {
    93  //	        big.Len()
    94  //	    }
    95  //	}
    96  //
    97  // If a benchmark needs to test performance in a parallel setting, it may use
    98  // the RunParallel helper function; such benchmarks are intended to be used with
    99  // the go test -cpu flag:
   100  //
   101  //	func BenchmarkTemplateParallel(b *testing.B) {
   102  //	    templ := template.Must(template.New("test").Parse("Hello, {{.}}!"))
   103  //	    b.RunParallel(func(pb *testing.PB) {
   104  //	        var buf bytes.Buffer
   105  //	        for pb.Next() {
   106  //	            buf.Reset()
   107  //	            templ.Execute(&buf, "World")
   108  //	        }
   109  //	    })
   110  //	}
   111  //
   112  // A detailed specification of the benchmark results format is given
   113  // in https://golang.org/design/14313-benchmark-format.
   114  //
   115  // There are standard tools for working with benchmark results at
   116  // https://golang.org/x/perf/cmd.
   117  // In particular, https://golang.org/x/perf/cmd/benchstat performs
   118  // statistically robust A/B comparisons.
   119  //
   120  // # b.N-style benchmarks
   121  //
   122  // Prior to the introduction of [B.Loop], benchmarks were written in a
   123  // different style using B.N. For example:
   124  //
   125  //	func BenchmarkRandInt(b *testing.B) {
   126  //	    for range b.N {
   127  //	        rand.Int()
   128  //	    }
   129  //	}
   130  //
   131  // In this style of benchmark, the benchmark function must run
   132  // the target code b.N times. The benchmark function is called
   133  // multiple times with b.N adjusted until the benchmark function
   134  // lasts long enough to be timed reliably. This also means any setup
   135  // done before the loop may be run several times.
   136  //
   137  // If a benchmark needs some expensive setup before running, the timer
   138  // should be explicitly reset:
   139  //
   140  //	func BenchmarkBigLen(b *testing.B) {
   141  //	    big := NewBig()
   142  //	    b.ResetTimer()
   143  //	    for range b.N {
   144  //	        big.Len()
   145  //	    }
   146  //	}
   147  //
   148  // New benchmarks should prefer using [B.Loop], which is more robust
   149  // and more efficient.
   150  //
   151  // # Examples
   152  //
   153  // The package also runs and verifies example code. Example functions may
   154  // include a concluding line comment that begins with "Output:" and is compared with
   155  // the standard output of the function when the tests are run. (The comparison
   156  // ignores leading and trailing space.) These are examples of an example:
   157  //
   158  //	func ExampleHello() {
   159  //	    fmt.Println("hello")
   160  //	    // Output: hello
   161  //	}
   162  //
   163  //	func ExampleSalutations() {
   164  //	    fmt.Println("hello, and")
   165  //	    fmt.Println("goodbye")
   166  //	    // Output:
   167  //	    // hello, and
   168  //	    // goodbye
   169  //	}
   170  //
   171  // The comment prefix "Unordered output:" is like "Output:", but matches any
   172  // line order:
   173  //
   174  //	func ExamplePerm() {
   175  //	    for _, value := range Perm(5) {
   176  //	        fmt.Println(value)
   177  //	    }
   178  //	    // Unordered output: 4
   179  //	    // 2
   180  //	    // 1
   181  //	    // 3
   182  //	    // 0
   183  //	}
   184  //
   185  // Example functions without output comments are compiled but not executed.
   186  //
   187  // The naming convention to declare examples for the package, a function F, a type T and
   188  // method M on type T are:
   189  //
   190  //	func Example() { ... }
   191  //	func ExampleF() { ... }
   192  //	func ExampleT() { ... }
   193  //	func ExampleT_M() { ... }
   194  //
   195  // Multiple example functions for a package/type/function/method may be provided by
   196  // appending a distinct suffix to the name. The suffix must start with a
   197  // lower-case letter.
   198  //
   199  //	func Example_suffix() { ... }
   200  //	func ExampleF_suffix() { ... }
   201  //	func ExampleT_suffix() { ... }
   202  //	func ExampleT_M_suffix() { ... }
   203  //
   204  // The entire test file is presented as the example when it contains a single
   205  // example function, at least one other function, type, variable, or constant
   206  // declaration, and no test or benchmark functions.
   207  //
   208  // # Fuzzing
   209  //
   210  // 'go test' and the testing package support fuzzing, a testing technique where
   211  // a function is called with randomly generated inputs to find bugs not
   212  // anticipated by unit tests.
   213  //
   214  // Functions of the form
   215  //
   216  //	func FuzzXxx(*testing.F)
   217  //
   218  // are considered fuzz tests.
   219  //
   220  // For example:
   221  //
   222  //	func FuzzHex(f *testing.F) {
   223  //	  for _, seed := range [][]byte{{}, {0}, {9}, {0xa}, {0xf}, {1, 2, 3, 4}} {
   224  //	    f.Add(seed)
   225  //	  }
   226  //	  f.Fuzz(func(t *testing.T, in []byte) {
   227  //	    enc := hex.EncodeToString(in)
   228  //	    out, err := hex.DecodeString(enc)
   229  //	    if err != nil {
   230  //	      t.Fatalf("%v: decode: %v", in, err)
   231  //	    }
   232  //	    if !bytes.Equal(in, out) {
   233  //	      t.Fatalf("%v: not equal after round trip: %v", in, out)
   234  //	    }
   235  //	  })
   236  //	}
   237  //
   238  // A fuzz test maintains a seed corpus, or a set of inputs which are run by
   239  // default, and can seed input generation. Seed inputs may be registered by
   240  // calling (*F).Add or by storing files in the directory testdata/fuzz/<Name>
   241  // (where <Name> is the name of the fuzz test) within the package containing
   242  // the fuzz test. Seed inputs are optional, but the fuzzing engine may find
   243  // bugs more efficiently when provided with a set of small seed inputs with good
   244  // code coverage. These seed inputs can also serve as regression tests for bugs
   245  // identified through fuzzing.
   246  //
   247  // The function passed to (*F).Fuzz within the fuzz test is considered the fuzz
   248  // target. A fuzz target must accept a *T parameter, followed by one or more
   249  // parameters for random inputs. The types of arguments passed to (*F).Add must
   250  // be identical to the types of these parameters. The fuzz target may signal
   251  // that it's found a problem the same way tests do: by calling T.Fail (or any
   252  // method that calls it like T.Error or T.Fatal) or by panicking.
   253  //
   254  // When fuzzing is enabled (by setting the -fuzz flag to a regular expression
   255  // that matches a specific fuzz test), the fuzz target is called with arguments
   256  // generated by repeatedly making random changes to the seed inputs. On
   257  // supported platforms, 'go test' compiles the test executable with fuzzing
   258  // coverage instrumentation. The fuzzing engine uses that instrumentation to
   259  // find and cache inputs that expand coverage, increasing the likelihood of
   260  // finding bugs. If the fuzz target fails for a given input, the fuzzing engine
   261  // writes the inputs that caused the failure to a file in the directory
   262  // testdata/fuzz/<Name> within the package directory. This file later serves as
   263  // a seed input. If the file can't be written at that location (for example,
   264  // because the directory is read-only), the fuzzing engine writes the file to
   265  // the fuzz cache directory within the build cache instead.
   266  //
   267  // When fuzzing is disabled, the fuzz target is called with the seed inputs
   268  // registered with F.Add and seed inputs from testdata/fuzz/<Name>. In this
   269  // mode, the fuzz test acts much like a regular test, with subtests started
   270  // with F.Fuzz instead of T.Run.
   271  //
   272  // See https://go.dev/doc/fuzz for documentation about fuzzing.
   273  //
   274  // # Skipping
   275  //
   276  // Tests or benchmarks may be skipped at run time with a call to
   277  // the Skip method of *T or *B:
   278  //
   279  //	func TestTimeConsuming(t *testing.T) {
   280  //	    if testing.Short() {
   281  //	        t.Skip("skipping test in short mode.")
   282  //	    }
   283  //	    ...
   284  //	}
   285  //
   286  // The Skip method of *T can be used in a fuzz target if the input is invalid,
   287  // but should not be considered a failing input. For example:
   288  //
   289  //	func FuzzJSONMarshaling(f *testing.F) {
   290  //	    f.Fuzz(func(t *testing.T, b []byte) {
   291  //	        var v interface{}
   292  //	        if err := json.Unmarshal(b, &v); err != nil {
   293  //	            t.Skip()
   294  //	        }
   295  //	        if _, err := json.Marshal(v); err != nil {
   296  //	            t.Errorf("Marshal: %v", err)
   297  //	        }
   298  //	    })
   299  //	}
   300  //
   301  // # Subtests and Sub-benchmarks
   302  //
   303  // The Run methods of T and B allow defining subtests and sub-benchmarks,
   304  // without having to define separate functions for each. This enables uses
   305  // like table-driven benchmarks and creating hierarchical tests.
   306  // It also provides a way to share common setup and tear-down code:
   307  //
   308  //	func TestFoo(t *testing.T) {
   309  //	    // <setup code>
   310  //	    t.Run("A=1", func(t *testing.T) { ... })
   311  //	    t.Run("A=2", func(t *testing.T) { ... })
   312  //	    t.Run("B=1", func(t *testing.T) { ... })
   313  //	    // <tear-down code>
   314  //	}
   315  //
   316  // Each subtest and sub-benchmark has a unique name: the combination of the name
   317  // of the top-level test and the sequence of names passed to Run, separated by
   318  // slashes, with an optional trailing sequence number for disambiguation.
   319  //
   320  // The argument to the -run, -bench, and -fuzz command-line flags is an unanchored regular
   321  // expression that matches the test's name. For tests with multiple slash-separated
   322  // elements, such as subtests, the argument is itself slash-separated, with
   323  // expressions matching each name element in turn. Because it is unanchored, an
   324  // empty expression matches any string.
   325  // For example, using "matching" to mean "whose name contains":
   326  //
   327  //	go test -run ''        # Run all tests.
   328  //	go test -run Foo       # Run top-level tests matching "Foo", such as "TestFooBar".
   329  //	go test -run Foo/A=    # For top-level tests matching "Foo", run subtests matching "A=".
   330  //	go test -run /A=1      # For all top-level tests, run subtests matching "A=1".
   331  //	go test -fuzz FuzzFoo  # Fuzz the target matching "FuzzFoo"
   332  //
   333  // The -run argument can also be used to run a specific value in the seed
   334  // corpus, for debugging. For example:
   335  //
   336  //	go test -run=FuzzFoo/9ddb952d9814
   337  //
   338  // The -fuzz and -run flags can both be set, in order to fuzz a target but
   339  // skip the execution of all other tests.
   340  //
   341  // Subtests can also be used to control parallelism. A parent test will only
   342  // complete once all of its subtests complete. In this example, all tests are
   343  // run in parallel with each other, and only with each other, regardless of
   344  // other top-level tests that may be defined:
   345  //
   346  //	func TestGroupedParallel(t *testing.T) {
   347  //	    for _, tc := range tests {
   348  //	        t.Run(tc.Name, func(t *testing.T) {
   349  //	            t.Parallel()
   350  //	            ...
   351  //	        })
   352  //	    }
   353  //	}
   354  //
   355  // Run does not return until parallel subtests have completed, providing a way
   356  // to clean up after a group of parallel tests:
   357  //
   358  //	func TestTeardownParallel(t *testing.T) {
   359  //	    // This Run will not return until the parallel tests finish.
   360  //	    t.Run("group", func(t *testing.T) {
   361  //	        t.Run("Test1", parallelTest1)
   362  //	        t.Run("Test2", parallelTest2)
   363  //	        t.Run("Test3", parallelTest3)
   364  //	    })
   365  //	    // <tear-down code>
   366  //	}
   367  //
   368  // # Main
   369  //
   370  // It is sometimes necessary for a test or benchmark program to do extra setup or teardown
   371  // before or after it executes. It is also sometimes necessary to control
   372  // which code runs on the main thread. To support these and other cases,
   373  // if a test file contains a function:
   374  //
   375  //	func TestMain(m *testing.M)
   376  //
   377  // then the generated test will call TestMain(m) instead of running the tests or benchmarks
   378  // directly. TestMain runs in the main goroutine and can do whatever setup
   379  // and teardown is necessary around a call to m.Run. m.Run will return an exit
   380  // code that may be passed to os.Exit. If TestMain returns, the test wrapper
   381  // will pass the result of m.Run to os.Exit itself.
   382  //
   383  // When TestMain is called, flag.Parse has not been run. If TestMain depends on
   384  // command-line flags, including those of the testing package, it should call
   385  // flag.Parse explicitly. Command line flags are always parsed by the time test
   386  // or benchmark functions run.
   387  //
   388  // A simple implementation of TestMain is:
   389  //
   390  //	func TestMain(m *testing.M) {
   391  //		// call flag.Parse() here if TestMain uses flags
   392  //		m.Run()
   393  //	}
   394  //
   395  // TestMain is a low-level primitive and should not be necessary for casual
   396  // testing needs, where ordinary test functions suffice.
   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 // number of parallel tests started
   428  	parallelStop  atomic.Int64 // number of parallel tests stopped
   429  )
   430  
   431  // Init registers testing flags. These flags are automatically registered by
   432  // the "go test" command before running test functions, so Init is only needed
   433  // when calling functions such as Benchmark without using "go test".
   434  //
   435  // Init is not safe to call concurrently. It has no effect if it was already called.
   436  func Init() {
   437  	if initRan {
   438  		return
   439  	}
   440  	initRan = true
   441  	// The short flag requests that tests run more quickly, but its functionality
   442  	// is provided by test writers themselves. The testing package is just its
   443  	// home. The all.bash installation script sets it to make installation more
   444  	// efficient, but by default the flag is off so a plain "go test" will do a
   445  	// full test of the package.
   446  	short = flag.Bool("test.short", false, "run smaller test suite to save time")
   447  
   448  	// The failfast flag requests that test execution stop after the first test failure.
   449  	failFast = flag.Bool("test.failfast", false, "do not start new tests after the first test failure")
   450  
   451  	// The directory in which to create profile files and the like. When run from
   452  	// "go test", the binary always runs in the source directory for the package;
   453  	// this flag lets "go test" tell the binary to write the files in the directory where
   454  	// the "go test" command is run.
   455  	outputDir = flag.String("test.outputdir", "", "write profiles to `dir`")
   456  	// Report as tests are run; default is silent for success.
   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  	// Flags, registered during Init.
   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 // are there examples?
   513  
   514  	cpuList     []int
   515  	testlogFile *os.File
   516  
   517  	numFailed atomic.Uint32 // number of test failures
   518  
   519  	running sync.Map // map[string]time.Time of running, unpaused tests
   520  )
   521  
   522  type chattyFlag struct {
   523  	on   bool // -v is set in some form
   524  	json bool // -v=test2json is set, to make output better for test2json
   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) // ^V for framing
   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 // guards lastName
   572  	lastName   string     // last printed test name in chatty mode
   573  	json       bool       // -v=json output mode
   574  }
   575  
   576  func newChattyPrinter(w io.Writer) *chattyPrinter {
   577  	return &chattyPrinter{w: w, json: chatty.json}
   578  }
   579  
   580  // prefix is like chatty.prefix but using p.json instead of chatty.json.
   581  // Using p.json allows tests to check the json behavior without modifying
   582  // the global variable. For convenience, we allow p == nil and treat
   583  // that as not in json mode (because it's not chatty at all).
   584  func (p *chattyPrinter) prefix() string {
   585  	if p != nil && p.json {
   586  		return string(marker)
   587  	}
   588  	return ""
   589  }
   590  
   591  // Updatef prints a message about the status of the named test to w.
   592  //
   593  // The formatted message must include the test name itself.
   594  func (p *chattyPrinter) Updatef(testName, format string, args ...any) {
   595  	p.lastNameMu.Lock()
   596  	defer p.lastNameMu.Unlock()
   597  
   598  	// Since the message already implies an association with a specific new test,
   599  	// we don't need to check what the old test name was or log an extra NAME line
   600  	// for it. (We're updating it anyway, and the current message already includes
   601  	// the test name.)
   602  	p.lastName = testName
   603  	fmt.Fprintf(p.w, p.prefix()+format, args...)
   604  }
   605  
   606  // Printf prints a message, generated by the named test, that does not
   607  // necessarily mention that tests's name itself.
   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  // The maximum number of stack frames to go through when skipping helper functions for
   623  // the purpose of decorating log messages.
   624  const maxStackLen = 50
   625  
   626  // common holds the elements common between T and B and
   627  // captures common methods such as Errorf.
   628  type common struct {
   629  	mu          sync.RWMutex         // guards this group of fields
   630  	output      []byte               // Output generated by test or benchmark.
   631  	w           io.Writer            // For flushToParent.
   632  	ran         bool                 // Test or benchmark (or one of its subtests) was executed.
   633  	failed      bool                 // Test or benchmark has failed.
   634  	skipped     bool                 // Test or benchmark has been skipped.
   635  	done        bool                 // Test is finished and all subtests have completed.
   636  	helperPCs   map[uintptr]struct{} // functions to be skipped when writing file/line info
   637  	helperNames map[string]struct{}  // helperPCs converted to function names
   638  	cleanups    []func()             // optional functions to be called at the end of the test
   639  	cleanupName string               // Name of the cleanup function.
   640  	cleanupPc   []uintptr            // The stack trace at the point where Cleanup was called.
   641  	finished    bool                 // Test function has completed.
   642  	inFuzzFn    bool                 // Whether the fuzz target, if this is one, is running.
   643  
   644  	chatty         *chattyPrinter // A copy of chattyPrinter, if the chatty flag is set.
   645  	bench          bool           // Whether the current test is a benchmark.
   646  	hasSub         atomic.Bool    // whether there are sub-benchmarks.
   647  	cleanupStarted atomic.Bool    // Registered cleanup callbacks have started to execute
   648  	runner         string         // Function name of tRunner running the test.
   649  	isParallel     bool           // Whether the test is parallel.
   650  
   651  	parent   *common
   652  	level    int               // Nesting depth of test or benchmark.
   653  	creator  []uintptr         // If level > 0, the stack trace at the point where the parent called t.Run.
   654  	name     string            // Name of test or benchmark.
   655  	start    highPrecisionTime // Time test or benchmark started
   656  	duration time.Duration
   657  	barrier  chan bool // To signal parallel subtests they may start. Nil when T.Parallel is not present (B) or not usable (when fuzzing).
   658  	signal   chan bool // To signal a test is done.
   659  	sub      []*T      // Queue of subtests to be run in parallel.
   660  
   661  	lastRaceErrors  atomic.Int64 // Max value of race.Errors seen during the test or its subtests.
   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  // Short reports whether the -test.short flag is set.
   674  func Short() bool {
   675  	if short == nil {
   676  		panic("testing: Short called before Init")
   677  	}
   678  	// Catch code that calls this from TestMain without first calling flag.Parse.
   679  	if !flag.Parsed() {
   680  		panic("testing: Short called before Parse")
   681  	}
   682  
   683  	return *short
   684  }
   685  
   686  // testBinary is set by cmd/go to "1" if this is a binary built by "go test".
   687  // The value is set to "1" by a -X option to cmd/link. We assume that
   688  // because this is possible, the compiler will not optimize testBinary
   689  // into a constant on the basis that it is an unexported package-scope
   690  // variable that is never changed. If the compiler ever starts implementing
   691  // such an optimization, we will need some technique to mark this variable
   692  // as "changed by a cmd/link -X option".
   693  var testBinary = "0"
   694  
   695  // Testing reports whether the current code is being run in a test.
   696  // This will report true in programs created by "go test",
   697  // false in programs created by "go build".
   698  func Testing() bool {
   699  	return testBinary == "1"
   700  }
   701  
   702  // CoverMode reports what the test coverage mode is set to. The
   703  // values are "set", "count", or "atomic". The return value will be
   704  // empty if test coverage is not enabled.
   705  func CoverMode() string {
   706  	return cover.mode
   707  }
   708  
   709  // Verbose reports whether the -test.v flag is set.
   710  func Verbose() bool {
   711  	// Same as in Short.
   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  // frameSkip searches, starting after skip frames, for the first caller frame
   725  // in a function not marked as a helper and returns that frame.
   726  // The search stops if it finds a tRunner function that
   727  // was the entry point into the test and the test is not a subtest.
   728  // This function must be called with c.mu held.
   729  func (c *common) frameSkip(skip int) runtime.Frame {
   730  	// If the search continues into the parent test, we'll have to hold
   731  	// its mu temporarily. If we then return, we need to unlock it.
   732  	shouldUnlock := false
   733  	defer func() {
   734  		if shouldUnlock {
   735  			c.mu.Unlock()
   736  		}
   737  	}()
   738  	var pc [maxStackLen]uintptr
   739  	// Skip two extra frames to account for this function
   740  	// and runtime.Callers itself.
   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  			// We've gone up all the way to the tRunner calling
   761  			// the test function (so the user must have
   762  			// called tb.Helper from inside that test function).
   763  			// If this is a top-level test, only skip up to the test function itself.
   764  			// If we're in a subtest, continue searching in the parent test,
   765  			// starting from the point of the call to Run which created this subtest.
   766  			if c.level > 1 {
   767  				frames = runtime.CallersFrames(c.creator)
   768  				parent := c.parent
   769  				// We're no longer looking at the current c after this point,
   770  				// so we should unlock its mu, unless it's the original receiver,
   771  				// in which case our caller doesn't expect us to do that.
   772  				if shouldUnlock {
   773  					c.mu.Unlock()
   774  				}
   775  				c = parent
   776  				// Remember to unlock c.mu when we no longer need it, either
   777  				// because we went up another nesting level, or because we
   778  				// returned.
   779  				shouldUnlock = true
   780  				c.mu.Lock()
   781  				continue
   782  			}
   783  			return prevFrame
   784  		}
   785  		// If more helper PCs have been added since we last did the conversion
   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  			// Found a frame that wasn't inside a helper function.
   794  			return frame
   795  		}
   796  	}
   797  	return firstFrame
   798  }
   799  
   800  // decorate prefixes the string with the file and line of the call site
   801  // and inserts the final newline if needed and indentation spaces for formatting.
   802  // This function must be called with c.mu held.
   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  			// If relative path, truncate file name at last file name separator.
   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  	// Every line is indented at least 4 spaces.
   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  			// Second and subsequent lines are indented an additional 4 spaces.
   830  			buf.WriteString("\n        ")
   831  		}
   832  		buf.WriteString(line)
   833  	}
   834  	buf.WriteByte('\n')
   835  	return buf.String()
   836  }
   837  
   838  // flushToParent writes c.output to the parent after first writing the header
   839  // with the given format and arguments.
   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  		// Add the current c.output to the print,
   850  		// and then arrange for the print to replace c.output.
   851  		// (This displays the logged output after the --- FAIL line.)
   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  		// We're flushing to the actual output, so track that this output is
   859  		// associated with a specific test (and, specifically, that the next output
   860  		// is *not* associated with that test).
   861  		//
   862  		// Moreover, if c.output is non-empty it is important that this write be
   863  		// atomic with respect to the output of other tests, so that we don't end up
   864  		// with confusing '=== NAME' lines in the middle of our '--- PASS' block.
   865  		// Neither humans nor cmd/test2json can parse those easily.
   866  		// (See https://go.dev/issue/40771.)
   867  		//
   868  		// If test2json is used, we never flush to parent tests,
   869  		// so that the json stream shows subtests as they finish.
   870  		// (See https://go.dev/issue/29811.)
   871  		c.chatty.Updatef(testName, format, args...)
   872  	} else {
   873  		// We're flushing to the output buffer of the parent test, which will
   874  		// itself follow a test-name header when it is finally flushed to stdout.
   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  		// An indent of 4 spaces will neatly align the dashes with the status
   893  		// indicator of the parent.
   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  // fmtDuration returns a string representing d in the form "87.00s".
   908  func fmtDuration(d time.Duration) string {
   909  	return fmt.Sprintf("%.2fs", d.Seconds())
   910  }
   911  
   912  // TB is the interface common to T, B, and F.
   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  	// A private method to prevent users implementing the
   936  	// interface and so future additions to it will not
   937  	// violate Go 1 compatibility.
   938  	private()
   939  }
   940  
   941  var _ TB = (*T)(nil)
   942  var _ TB = (*B)(nil)
   943  
   944  // T is a type passed to Test functions to manage test state and support formatted test logs.
   945  //
   946  // A test ends when its Test function returns or calls any of the methods
   947  // FailNow, Fatal, Fatalf, SkipNow, Skip, or Skipf. Those methods, as well as
   948  // the Parallel method, must be called only from the goroutine running the
   949  // Test function.
   950  //
   951  // The other reporting methods, such as the variations of Log and Error,
   952  // may be called simultaneously from multiple goroutines.
   953  type T struct {
   954  	common
   955  	denyParallel bool
   956  	tstate       *testState // For running tests and subtests.
   957  }
   958  
   959  func (c *common) private() {}
   960  
   961  // Name returns the name of the running (sub-) test or benchmark.
   962  //
   963  // The name will include the name of the test along with the names of
   964  // any nested sub-tests. If two sibling sub-tests have the same name,
   965  // Name will append a suffix to guarantee the returned name is unique.
   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  // Fail marks the function as having failed but continues execution.
   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  	// c.done needs to be locked to synchronize checks to c.done in parent tests.
   987  	if c.done {
   988  		panic("Fail in goroutine after " + c.name + " has completed")
   989  	}
   990  	c.failed = true
   991  }
   992  
   993  // Failed reports whether the function has failed.
   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  // FailNow marks the function as having failed and stops its execution
  1008  // by calling runtime.Goexit (which then runs all deferred calls in the
  1009  // current goroutine).
  1010  // Execution will continue at the next test or benchmark.
  1011  // FailNow must be called from the goroutine running the
  1012  // test or benchmark function, not from other goroutines
  1013  // created during the test. Calling FailNow does not stop
  1014  // those other goroutines.
  1015  func (c *common) FailNow() {
  1016  	c.checkFuzzFn("FailNow")
  1017  	c.Fail()
  1018  
  1019  	// Calling runtime.Goexit will exit the goroutine, which
  1020  	// will run the deferred functions in this goroutine,
  1021  	// which will eventually run the deferred lines in tRunner,
  1022  	// which will signal to the test loop that this test is done.
  1023  	//
  1024  	// A previous version of this code said:
  1025  	//
  1026  	//	c.duration = ...
  1027  	//	c.signal <- c.self
  1028  	//	runtime.Goexit()
  1029  	//
  1030  	// This previous version duplicated code (those lines are in
  1031  	// tRunner no matter what), but worse the goroutine teardown
  1032  	// implicit in runtime.Goexit was not guaranteed to complete
  1033  	// before the test exited. If a test deferred an important cleanup
  1034  	// function (like removing temporary files), there was no guarantee
  1035  	// it would run on a test failure. Because we send on c.signal during
  1036  	// a top-of-stack deferred function now, we know that the send
  1037  	// only happens after any other stacked defers have completed.
  1038  	c.mu.Lock()
  1039  	c.finished = true
  1040  	c.mu.Unlock()
  1041  	runtime.Goexit()
  1042  }
  1043  
  1044  // log generates the output. It's always at the same stack depth.
  1045  func (c *common) log(s string) {
  1046  	c.logDepth(s, 3) // logDepth + log + public function
  1047  }
  1048  
  1049  // logDepth generates the output at an arbitrary stack depth.
  1050  func (c *common) logDepth(s string, depth int) {
  1051  	c.mu.Lock()
  1052  	defer c.mu.Unlock()
  1053  	if c.done {
  1054  		// This test has already finished. Try and log this message
  1055  		// with our parent. If we don't have a parent, panic.
  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  				// Benchmarks don't print === CONT, so we should skip the test
  1069  				// printer and just print straight to stdout.
  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  // Log formats its arguments using default formatting, analogous to Println,
  1082  // and records the text in the error log. For tests, the text will be printed only if
  1083  // the test fails or the -test.v flag is set. For benchmarks, the text is always
  1084  // printed to avoid having performance depend on the value of the -test.v flag.
  1085  // It is an error to call Log after a test or benchmark returns.
  1086  func (c *common) Log(args ...any) {
  1087  	c.checkFuzzFn("Log")
  1088  	c.log(fmt.Sprintln(args...))
  1089  }
  1090  
  1091  // Logf formats its arguments according to the format, analogous to Printf, and
  1092  // records the text in the error log. A final newline is added if not provided. For
  1093  // tests, the text will be printed only if the test fails or the -test.v flag is
  1094  // set. For benchmarks, the text is always printed to avoid having performance
  1095  // depend on the value of the -test.v flag.
  1096  // It is an error to call Logf after a test or benchmark returns.
  1097  func (c *common) Logf(format string, args ...any) {
  1098  	c.checkFuzzFn("Logf")
  1099  	c.log(fmt.Sprintf(format, args...))
  1100  }
  1101  
  1102  // Error is equivalent to Log followed by Fail.
  1103  func (c *common) Error(args ...any) {
  1104  	c.checkFuzzFn("Error")
  1105  	c.log(fmt.Sprintln(args...))
  1106  	c.Fail()
  1107  }
  1108  
  1109  // Errorf is equivalent to Logf followed by Fail.
  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  // Fatal is equivalent to Log followed by FailNow.
  1117  func (c *common) Fatal(args ...any) {
  1118  	c.checkFuzzFn("Fatal")
  1119  	c.log(fmt.Sprintln(args...))
  1120  	c.FailNow()
  1121  }
  1122  
  1123  // Fatalf is equivalent to Logf followed by FailNow.
  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  // Skip is equivalent to Log followed by SkipNow.
  1131  func (c *common) Skip(args ...any) {
  1132  	c.checkFuzzFn("Skip")
  1133  	c.log(fmt.Sprintln(args...))
  1134  	c.SkipNow()
  1135  }
  1136  
  1137  // Skipf is equivalent to Logf followed by SkipNow.
  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  // SkipNow marks the test as having been skipped and stops its execution
  1145  // by calling [runtime.Goexit].
  1146  // If a test fails (see Error, Errorf, Fail) and is then skipped,
  1147  // it is still considered to have failed.
  1148  // Execution will continue at the next test or benchmark. See also FailNow.
  1149  // SkipNow must be called from the goroutine running the test, not from
  1150  // other goroutines created during the test. Calling SkipNow does not stop
  1151  // those other goroutines.
  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  // Skipped reports whether the test was skipped.
  1162  func (c *common) Skipped() bool {
  1163  	c.mu.RLock()
  1164  	defer c.mu.RUnlock()
  1165  	return c.skipped
  1166  }
  1167  
  1168  // Helper marks the calling function as a test helper function.
  1169  // When printing file and line information, that function will be skipped.
  1170  // Helper may be called simultaneously from multiple goroutines.
  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  	// repeating code from callerName here to save walking a stack frame
  1178  	var pc [1]uintptr
  1179  	n := runtime.Callers(2, pc[:]) // skip runtime.Callers + Helper
  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 // map will be recreated next time it is needed
  1186  	}
  1187  }
  1188  
  1189  // Cleanup registers a function to be called when the test (or subtest) and all its
  1190  // subtests complete. Cleanup functions will be called in last added,
  1191  // first called order.
  1192  func (c *common) Cleanup(f func()) {
  1193  	c.checkFuzzFn("Cleanup")
  1194  	var pc [maxStackLen]uintptr
  1195  	// Skip two extra frames to account for this function and runtime.Callers itself.
  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  // TempDir returns a temporary directory for the test to use.
  1222  // The directory is automatically removed when the test and
  1223  // all its subtests complete.
  1224  // Each subsequent call to t.TempDir returns a unique directory;
  1225  // if the directory creation fails, TempDir terminates the test by calling Fatal.
  1226  func (c *common) TempDir() string {
  1227  	c.checkFuzzFn("TempDir")
  1228  	// Use a single parent directory for all the temporary directories
  1229  	// created by a test, each numbered sequentially.
  1230  	c.tempDirMu.Lock()
  1231  	var nonExistent bool
  1232  	if c.tempDir == "" { // Usually the case with js/wasm
  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  		// Drop unusual characters (such as path separators or
  1246  		// characters interacting with globs) from the directory name to
  1247  		// avoid surprising os.MkdirTemp behavior.
  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  // removeAll is like os.RemoveAll, but retries Windows "Access is denied."
  1293  // errors up to an arbitrary timeout.
  1294  //
  1295  // Those errors have been known to occur spuriously on at least the
  1296  // windows-amd64-2012 builder (https://go.dev/issue/50051), and can only occur
  1297  // legitimately if the test leaves behind a temp file that either is still open
  1298  // or the test otherwise lacks permission to delete. In the case of legitimate
  1299  // failures, a failing test may take a bit longer to fail, but once the test is
  1300  // fixed the extra latency will go away.
  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  // Setenv calls os.Setenv(key, value) and uses Cleanup to
  1323  // restore the environment variable to its original value
  1324  // after the test.
  1325  //
  1326  // Because Setenv affects the whole process, it cannot be used
  1327  // in parallel tests or tests with parallel ancestors.
  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  // Chdir calls os.Chdir(dir) and uses Cleanup to restore the current
  1348  // working directory to its original value after the test. On Unix, it
  1349  // also sets PWD environment variable for the duration of the test.
  1350  //
  1351  // Because Chdir affects the whole process, it cannot be used
  1352  // in parallel tests or tests with parallel ancestors.
  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  	// On POSIX platforms, PWD represents “an absolute pathname of the
  1363  	// current working directory.” Since we are changing the working
  1364  	// directory, we should also set or update PWD to reflect that.
  1365  	switch runtime.GOOS {
  1366  	case "windows", "plan9":
  1367  		// Windows and Plan 9 do not use the PWD variable.
  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  			// It's not safe to continue with tests if we can't
  1382  			// get back to the original working directory. Since
  1383  			// we are holding a dirfd, this is highly unlikely.
  1384  			panic("testing.Chdir: " + err.Error())
  1385  		}
  1386  	})
  1387  }
  1388  
  1389  // Context returns a context that is canceled just before
  1390  // Cleanup-registered functions are called.
  1391  //
  1392  // Cleanup functions can wait for any resources
  1393  // that shut down on Context.Done before the test or benchmark completes.
  1394  func (c *common) Context() context.Context {
  1395  	c.checkFuzzFn("Context")
  1396  	return c.ctx
  1397  }
  1398  
  1399  // panicHandling controls the panic handling used by runCleanup.
  1400  type panicHandling int
  1401  
  1402  const (
  1403  	normalPanic panicHandling = iota
  1404  	recoverAndReturnPanic
  1405  )
  1406  
  1407  // runCleanup is called at the end of the test.
  1408  // If ph is recoverAndReturnPanic, it will catch panics, and return the
  1409  // recovered value if any.
  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  	// Make sure that if a cleanup function panics,
  1421  	// we still run the remaining cleanup functions.
  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  // resetRaces updates c.parent's count of data race errors (or the global count,
  1452  // if c has no parent), and updates c.lastRaceErrors to match.
  1453  //
  1454  // Any races that occurred prior to this call to resetRaces will
  1455  // not be attributed to c.
  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  // checkRaces checks whether the global count of data race errors has increased
  1465  // since c's count was last reset.
  1466  //
  1467  // If so, it marks c as having failed due to those races (logging an error for
  1468  // the first such race), and updates the race counts for the parents of c so
  1469  // that if they are currently suspended (such as in a call to T.Run) they will
  1470  // not log separate errors for the race(s).
  1471  //
  1472  // Note that multiple tests may be marked as failed due to the same race if they
  1473  // are executing in parallel.
  1474  func (c *common) checkRaces() (raceErrors int64) {
  1475  	raceErrors = int64(race.Errors())
  1476  	for {
  1477  		last := c.lastRaceErrors.Load()
  1478  		if raceErrors <= last {
  1479  			// All races have already been reported.
  1480  			return raceErrors
  1481  		}
  1482  		if c.lastRaceErrors.CompareAndSwap(last, raceErrors) {
  1483  			break
  1484  		}
  1485  	}
  1486  
  1487  	if c.raceErrorLogged.CompareAndSwap(false, true) {
  1488  		// This is the first race we've encountered for this test.
  1489  		// Mark the test as failed, and log the reason why only once.
  1490  		// (Note that the race detector itself will still write a goroutine
  1491  		// dump for any further races it detects.)
  1492  		c.Errorf("race detected during execution of test")
  1493  	}
  1494  
  1495  	// Update the parent(s) of this test so that they don't re-report the race.
  1496  	parent := c.parent
  1497  	for parent != nil {
  1498  		for {
  1499  			last := parent.lastRaceErrors.Load()
  1500  			if raceErrors <= last {
  1501  				// This race was already reported by another (likely parallel) subtest.
  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  // callerName gives the function name (qualified with a package path)
  1515  // for the caller after skip frames (where 0 means the current function).
  1516  func callerName(skip int) string {
  1517  	var pc [1]uintptr
  1518  	n := runtime.Callers(skip+2, pc[:]) // skip + runtime.Callers + callerName
  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  // Parallel signals that this test is to be run in parallel with (and only with)
  1535  // other parallel tests. When a test is run multiple times due to use of
  1536  // -test.count or -test.cpu, multiple instances of a single test never run in
  1537  // parallel with each other.
  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  		// T.Parallel has no effect when fuzzing.
  1547  		// Multiple processes may run in parallel, but only one input can run at a
  1548  		// time per process so we can attribute crashes to specific inputs.
  1549  		return
  1550  	}
  1551  
  1552  	t.isParallel = true
  1553  
  1554  	// We don't want to include the time we spend waiting for serial tests
  1555  	// in the test duration. Record the elapsed time thus far and reset the
  1556  	// timer afterwards.
  1557  	t.duration += highPrecisionTimeSince(t.start)
  1558  
  1559  	// Add to the list of tests to be released by the parent.
  1560  	t.parent.sub = append(t.parent.sub, t)
  1561  
  1562  	// Report any races during execution of this test up to this point.
  1563  	//
  1564  	// We will assume that any races that occur between here and the point where
  1565  	// we unblock are not caused by this subtest. That assumption usually holds,
  1566  	// although it can be wrong if the test spawns a goroutine that races in the
  1567  	// background while the rest of the test is blocked on the call to Parallel.
  1568  	// If that happens, we will misattribute the background race to some other
  1569  	// test, or to no test at all — but that false-negative is so unlikely that it
  1570  	// is not worth adding race-report noise for the common case where the test is
  1571  	// completely suspended during the call to Parallel.
  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   // Release calling test.
  1580  	<-t.parent.barrier // Wait for the parent test to complete.
  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  	// Reset the local race counter to ignore any races that happened while this
  1591  	// goroutine was blocked, such as in the parent test or in other parallel
  1592  	// subtests.
  1593  	//
  1594  	// (Note that we don't call parent.checkRaces here:
  1595  	// if other parallel subtests have already introduced races, we want to
  1596  	// let them report those races instead of attributing them to the parent.)
  1597  	t.lastRaceErrors.Store(int64(race.Errors()))
  1598  }
  1599  
  1600  func (t *T) checkParallel() {
  1601  	// Non-parallel subtests that have parallel ancestors may still
  1602  	// run in parallel with other tests: they are only non-parallel
  1603  	// with respect to the other subtests of the same parent.
  1604  	// Since calls like SetEnv or Chdir affects the whole process, we need
  1605  	// to deny those if the current test or any parent is parallel.
  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  // Setenv calls os.Setenv(key, value) and uses Cleanup to
  1616  // restore the environment variable to its original value
  1617  // after the test.
  1618  //
  1619  // Because Setenv affects the whole process, it cannot be used
  1620  // in parallel tests or tests with parallel ancestors.
  1621  func (t *T) Setenv(key, value string) {
  1622  	t.checkParallel()
  1623  	t.common.Setenv(key, value)
  1624  }
  1625  
  1626  // Chdir calls os.Chdir(dir) and uses Cleanup to restore the current
  1627  // working directory to its original value after the test. On Unix, it
  1628  // also sets PWD environment variable for the duration of the test.
  1629  //
  1630  // Because Chdir affects the whole process, it cannot be used
  1631  // in parallel tests or tests with parallel ancestors.
  1632  func (t *T) Chdir(dir string) {
  1633  	t.checkParallel()
  1634  	t.common.Chdir(dir)
  1635  }
  1636  
  1637  // InternalTest is an internal type but exported because it is cross-package;
  1638  // it is part of the implementation of the "go test" command.
  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  	// When this goroutine is done, either because fn(t)
  1650  	// returned normally or because a test failure triggered
  1651  	// a call to runtime.Goexit, record the duration and send
  1652  	// a signal saying that the test is done.
  1653  	defer func() {
  1654  		t.checkRaces()
  1655  
  1656  		// TODO(#61034): This is the wrong place for this check.
  1657  		if t.Failed() {
  1658  			numFailed.Add(1)
  1659  		}
  1660  
  1661  		// Check if the test panicked or Goexited inappropriately.
  1662  		//
  1663  		// If this happens in a normal test, print output but continue panicking.
  1664  		// tRunner is called in its own goroutine, so this terminates the process.
  1665  		//
  1666  		// If this happens while fuzzing, recover from the panic and treat it like a
  1667  		// normal failure. It's important that the process keeps running in order to
  1668  		// find short inputs that cause panics.
  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  		// Use a deferred call to ensure that we report that the test is
  1705  		// complete even if a cleanup function calls t.FailNow. See issue 41355.
  1706  		didPanic := false
  1707  		defer func() {
  1708  			// Only report that the test is complete if it doesn't panic,
  1709  			// as otherwise the test binary can exit before the panic is
  1710  			// reported to the user. See issue 41479.
  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  			// Flush the output log up to the root before dying.
  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  			// Run parallel subtests.
  1751  
  1752  			// Decrease the running count for this test and mark it as no longer running.
  1753  			t.tstate.release()
  1754  			running.Delete(t.name)
  1755  
  1756  			// Release the parallel subtests.
  1757  			close(t.barrier)
  1758  			// Wait for subtests to complete.
  1759  			for _, sub := range t.sub {
  1760  				<-sub.signal
  1761  			}
  1762  
  1763  			// Run any cleanup callbacks, marking the test as running
  1764  			// in case the cleanup hangs.
  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  				// Reacquire the count for sequential tests. See comment in Run.
  1775  				t.tstate.waitParallel()
  1776  			}
  1777  		} else if t.isParallel {
  1778  			// Only release the count for this test if it was run as a parallel
  1779  			// test. See comment in Run method.
  1780  			t.tstate.release()
  1781  		}
  1782  		t.report() // Report after all subtests have finished.
  1783  
  1784  		// Do not lock t.done to allow race detector to detect race in case
  1785  		// the user does not appropriately synchronize a goroutine.
  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  	// code beyond here will not be executed when FailNow is invoked
  1802  	t.mu.Lock()
  1803  	t.finished = true
  1804  	t.mu.Unlock()
  1805  }
  1806  
  1807  // Run runs f as a subtest of t called name. It runs f in a separate goroutine
  1808  // and blocks until f returns or calls t.Parallel to become a parallel test.
  1809  // Run reports whether f succeeded (or at least did not fail before calling t.Parallel).
  1810  //
  1811  // Run may be called simultaneously from multiple goroutines, but all such calls
  1812  // must return before the outer test function for t returns.
  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  	// Record the stack trace at the point of this call so that if the subtest
  1824  	// function - which runs in a separate stack - is marked as a helper, we can
  1825  	// continue walking the stack into the parent test.
  1826  	var pc [maxStackLen]uintptr
  1827  	n := runtime.Callers(2, pc[:])
  1828  
  1829  	// There's no reason to inherit this context from parent. The user's code can't observe
  1830  	// the difference between the background context and the one from the parent test.
  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  	// Instead of reducing the running count of this test before calling the
  1854  	// tRunner and increasing it afterwards, we rely on tRunner keeping the
  1855  	// count correct. This ensures that a sequence of sequential tests runs
  1856  	// without being preempted, even when their parent is a parallel test. This
  1857  	// may especially reduce surprises if *parallel == 1.
  1858  	go tRunner(t, f)
  1859  
  1860  	// The parent goroutine will block until the subtest either finishes or calls
  1861  	// Parallel, but in general we don't know whether the parent goroutine is the
  1862  	// top-level test function or some other goroutine it has spawned.
  1863  	// To avoid confusing false-negatives, we leave the parent in the running map
  1864  	// even though in the typical case it is blocked.
  1865  
  1866  	if !<-t.signal {
  1867  		// At this point, it is likely that FailNow was called on one of the
  1868  		// parent tests by one of the subtests. Continue aborting up the chain.
  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  // Deadline reports the time at which the test binary will have
  1879  // exceeded the timeout specified by the -timeout flag.
  1880  //
  1881  // The ok result is false if the -timeout flag indicates “no timeout” (0).
  1882  func (t *T) Deadline() (deadline time.Time, ok bool) {
  1883  	deadline = t.tstate.deadline
  1884  	return deadline, !deadline.IsZero()
  1885  }
  1886  
  1887  // testState holds all fields that are common to all tests. This includes
  1888  // synchronization primitives to run at most *parallel tests.
  1889  type testState struct {
  1890  	match    *matcher
  1891  	deadline time.Time
  1892  
  1893  	// isFuzzing is true in the state used when generating random inputs
  1894  	// for fuzz targets. isFuzzing is false when running normal tests and
  1895  	// when running fuzz tests as unit tests (without -fuzz or when -fuzz
  1896  	// does not match).
  1897  	isFuzzing bool
  1898  
  1899  	mu sync.Mutex
  1900  
  1901  	// Channel used to signal tests that are ready to be run in parallel.
  1902  	startParallel chan bool
  1903  
  1904  	// running is the number of tests currently running in parallel.
  1905  	// This does not include tests that are waiting for subtests to complete.
  1906  	running int
  1907  
  1908  	// numWaiting is the number tests waiting to be run in parallel.
  1909  	numWaiting int
  1910  
  1911  	// maxParallel is a copy of the parallel flag.
  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, // Set the count to 1 for the main (sequential) test.
  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 // Pick a waiting test to be run.
  1946  }
  1947  
  1948  // No one should be using func Main anymore.
  1949  // See the doc comment on func Main and use MainStart instead.
  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  // Main is an internal function, part of the implementation of the "go test" command.
  1978  // It was exported because it is cross-package and predates "internal" packages.
  1979  // It is no longer used by "go test" but preserved, as much as possible, for other
  1980  // systems that simulate "go test" using Main, but Main sometimes cannot be updated as
  1981  // new functionality is added to the testing package.
  1982  // Systems simulating "go test" should be updated to use MainStart.
  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  // M is a type passed to a TestMain function to run the actual tests.
  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  	// value to pass to os.Exit, the outer test func main
  2001  	// harness calls os.Exit with this code. See #34129.
  2002  	exitCode int
  2003  }
  2004  
  2005  // testDeps is an internal interface of functionality that is
  2006  // passed into this package by a test's generated main package.
  2007  // The canonical implementation of this interface is
  2008  // testing/internal/testdeps's TestDeps.
  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  // MainStart is meant for use by tests generated by 'go test'.
  2028  // It is not meant to be called directly and is not subject to the Go 1 compatibility document.
  2029  // It may change signature from release to release.
  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  // Run runs the tests. It returns an exit code to pass to os.Exit.
  2046  // The exit code is zero when all tests pass, and non-zero for any kind
  2047  // of failure. For machine readable test results, parse the output of
  2048  // 'go test -json'.
  2049  func (m *M) Run() (code int) {
  2050  	defer func() {
  2051  		code = m.exitCode
  2052  	}()
  2053  
  2054  	// Count the number of calls to m.Run.
  2055  	// We only ever expected 1, but we didn't enforce that,
  2056  	// and now there are tests in the wild that call m.Run multiple times.
  2057  	// Sigh. go.dev/issue/23129.
  2058  	m.numRun++
  2059  
  2060  	// TestMain may have already called flag.Parse.
  2061  	if !flag.Parsed() {
  2062  		flag.Parse()
  2063  	}
  2064  
  2065  	if chatty.json {
  2066  		// With -v=json, stdout and stderr are pointing to the same pipe,
  2067  		// which is leading into test2json. In general, operating systems
  2068  		// do a good job of ensuring that writes to the same pipe through
  2069  		// different file descriptors are delivered whole, so that writing
  2070  		// AAA to stdout and BBB to stderr simultaneously produces
  2071  		// AAABBB or BBBAAA on the pipe, not something like AABBBA.
  2072  		// However, the exception to this is when the pipe fills: in that
  2073  		// case, Go's use of non-blocking I/O means that writing AAA
  2074  		// or BBB might be split across multiple system calls, making it
  2075  		// entirely possible to get output like AABBBA. The same problem
  2076  		// happens inside the operating system kernel if we switch to
  2077  		// blocking I/O on the pipe. This interleaved output can do things
  2078  		// like print unrelated messages in the middle of a TestFoo line,
  2079  		// which confuses test2json. Setting os.Stderr = os.Stdout will make
  2080  		// them share a single pfd, which will hold a lock for each program
  2081  		// write, preventing any interleaving.
  2082  		//
  2083  		// It might be nice to set Stderr = Stdout always, or perhaps if
  2084  		// we can tell they are the same file, but for now -v=json is
  2085  		// a very clear signal. Making the two files the same may cause
  2086  		// surprises if programs close os.Stdout but expect to be able
  2087  		// to continue to write to os.Stderr, but it's hard to see why a
  2088  		// test would think it could take over global state that way.
  2089  		//
  2090  		// This fix only helps programs where the output is coming directly
  2091  		// from Go code. It does not help programs in which a subprocess is
  2092  		// writing to stderr or stdout at the same time that a Go test is writing output.
  2093  		// It also does not help when the output is coming from the runtime,
  2094  		// such as when using the print/println functions, since that code writes
  2095  		// directly to fd 2 without any locking.
  2096  		// We keep realStderr around to prevent fd 2 from being closed.
  2097  		//
  2098  		// See go.dev/issue/33419.
  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  	// Run tests, examples, and benchmarks unless this is a fuzz worker process.
  2147  	// Workers start after this is done by their parent process, and they should
  2148  	// not repeat this work.
  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  				// If this happens during testing of package testing it could be that
  2160  				// package testing's own logic for when to run a test is broken,
  2161  				// in which case every test will run nothing and succeed,
  2162  				// with no obvious way to detect this problem (since no tests are running).
  2163  				// So make 'no tests to run' a hard failure when testing package testing itself.
  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  // RunTests is an internal function but exported because it is cross-package;
  2244  // it is part of the implementation of the "go test" command.
  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  				// There were no tests to run on the first
  2267  				// iteration. This won't change, so no reason
  2268  				// to keep trying.
  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  // before runs before all testing.
  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  		// Could save f so after can call f.Close; not worth the effort.
  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  		// Could save f so after can call f.Close; not worth the effort.
  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  		// Note: Not using toOutputDir.
  2351  		// This file is for use by cmd/go, not users.
  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  // after runs after all testing.
  2375  func (m *M) after() {
  2376  	m.afterOnce.Do(func() {
  2377  		m.writeProfiles()
  2378  	})
  2379  
  2380  	// Restore PanicOnExit0 after every run, because we set it to true before
  2381  	// every run. Otherwise, if m.Run is called multiple times the behavior of
  2382  	// os.Exit(0) will not be restored after the second run.
  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() // flushes profile to disk
  2401  	}
  2402  	if *traceFile != "" {
  2403  		trace.Stop() // flushes trace to disk
  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() // materialize all statistics
  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  // toOutputDir returns the file name relocated, if required, to outputDir.
  2448  // Simple implementation to avoid pulling in path/filepath.
  2449  func toOutputDir(path string) string {
  2450  	if *outputDir == "" || path == "" {
  2451  		return path
  2452  	}
  2453  	// On Windows, it's clumsy, but we can be almost always correct
  2454  	// by just looking for a drive letter and a colon.
  2455  	// Absolute paths always have a drive letter (ignoring UNC).
  2456  	// Problem: if path == "C:A" and outputdir == "C:\Go" it's unclear
  2457  	// what to do, but even then path/filepath doesn't help.
  2458  	// TODO: Worth doing better? Probably not, because we're here only
  2459  	// under the management of go test.
  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  			// If path starts with a drive letter we're stuck with it regardless.
  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  // startAlarm starts an alarm if requested.
  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  // runningList returns the list of running tests.
  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  // stopAlarm turns off the alarm.
  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