blob: 3e47ed27d70e265eb7b928e1e657e909cea2bf18 [file] [log] [blame]
David Benjamin491b9212015-02-11 14:18:45 -05001/* Copyright (c) 2015, Google Inc.
2 *
3 * Permission to use, copy, modify, and/or distribute this software for any
4 * purpose with or without fee is hereby granted, provided that the above
5 * copyright notice and this permission notice appear in all copies.
6 *
7 * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
8 * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
9 * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY
10 * SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
11 * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION
12 * OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN
13 * CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. */
14
15package main
16
17import (
18 "bytes"
David Benjamin5f237bc2015-02-11 17:14:15 -050019 "encoding/json"
David Benjamin491b9212015-02-11 14:18:45 -050020 "flag"
21 "fmt"
22 "os"
23 "os/exec"
24 "path"
Adam Langley31fa5a42017-04-11 17:07:27 -070025 "runtime"
David Benjamin0b635c52015-05-15 19:08:49 -040026 "strconv"
David Benjamin491b9212015-02-11 14:18:45 -050027 "strings"
Steven Valdez32223942016-03-02 11:53:07 -050028 "sync"
David Benjamin0b635c52015-05-15 19:08:49 -040029 "syscall"
David Benjamin5f237bc2015-02-11 17:14:15 -050030 "time"
David Benjamin491b9212015-02-11 14:18:45 -050031)
32
33// TODO(davidben): Link tests with the malloc shim and port -malloc-test to this runner.
34
35var (
David Benjamin0b635c52015-05-15 19:08:49 -040036 useValgrind = flag.Bool("valgrind", false, "If true, run code under valgrind")
Steven Valdezab14a4a2016-02-29 16:58:26 -050037 useCallgrind = flag.Bool("callgrind", false, "If true, run code under valgrind to generate callgrind traces.")
David Benjamin0b635c52015-05-15 19:08:49 -040038 useGDB = flag.Bool("gdb", false, "If true, run BoringSSL code under gdb")
Adam Langleye212f272017-02-03 08:52:21 -080039 useSDE = flag.Bool("sde", false, "If true, run BoringSSL code under Intel's SDE for each supported chip")
David Benjamin0b635c52015-05-15 19:08:49 -040040 buildDir = flag.String("build-dir", "build", "The build directory to run the tests from.")
Adam Langley31fa5a42017-04-11 17:07:27 -070041 numWorkers = flag.Int("num-workers", runtime.NumCPU(), "Runs the given number of workers when testing.")
David Benjamin0b635c52015-05-15 19:08:49 -040042 jsonOutput = flag.String("json-output", "", "The file to output JSON results to.")
43 mallocTest = flag.Int64("malloc-test", -1, "If non-negative, run each test with each malloc in turn failing from the given number onwards.")
44 mallocTestDebug = flag.Bool("malloc-test-debug", false, "If true, ask each test to abort rather than fail a malloc. This can be used with a specific value for --malloc-test to identity the malloc failing that is causing problems.")
David Benjamin491b9212015-02-11 14:18:45 -050045)
46
Adam Langleye212f272017-02-03 08:52:21 -080047type test struct {
48 args []string
49 // cpu, if not empty, contains an Intel CPU code to simulate. Run
50 // `sde64 -help` to get a list of these codes.
51 cpu string
52}
David Benjamin491b9212015-02-11 14:18:45 -050053
Steven Valdez32223942016-03-02 11:53:07 -050054type result struct {
55 Test test
56 Passed bool
57 Error error
58}
59
David Benjamin5f237bc2015-02-11 17:14:15 -050060// testOutput is a representation of Chromium's JSON test result format. See
61// https://www.chromium.org/developers/the-json-test-results-format
62type testOutput struct {
63 Version int `json:"version"`
64 Interrupted bool `json:"interrupted"`
65 PathDelimiter string `json:"path_delimiter"`
66 SecondsSinceEpoch float64 `json:"seconds_since_epoch"`
67 NumFailuresByType map[string]int `json:"num_failures_by_type"`
68 Tests map[string]testResult `json:"tests"`
69}
70
71type testResult struct {
David Benjamin7ead6052015-04-04 03:57:26 -040072 Actual string `json:"actual"`
73 Expected string `json:"expected"`
74 IsUnexpected bool `json:"is_unexpected"`
David Benjamin5f237bc2015-02-11 17:14:15 -050075}
76
Adam Langleye212f272017-02-03 08:52:21 -080077// sdeCPUs contains a list of CPU code that we run all tests under when *useSDE
78// is true.
79var sdeCPUs = []string{
80 "p4p", // Pentium4 Prescott
81 "mrm", // Merom
82 "pnr", // Penryn
83 "nhm", // Nehalem
84 "wsm", // Westmere
85 "snb", // Sandy Bridge
86 "ivb", // Ivy Bridge
87 "hsw", // Haswell
88 "bdw", // Broadwell
89 "skx", // Skylake Server
90 "skl", // Skylake Client
91 "cnl", // Cannonlake
92 "knl", // Knights Landing
93 "slt", // Saltwell
94 "slm", // Silvermont
95 "glm", // Goldmont
96}
97
David Benjamin5f237bc2015-02-11 17:14:15 -050098func newTestOutput() *testOutput {
99 return &testOutput{
100 Version: 3,
101 PathDelimiter: ".",
102 SecondsSinceEpoch: float64(time.Now().UnixNano()) / float64(time.Second/time.Nanosecond),
103 NumFailuresByType: make(map[string]int),
104 Tests: make(map[string]testResult),
105 }
106}
107
108func (t *testOutput) addResult(name, result string) {
109 if _, found := t.Tests[name]; found {
110 panic(name)
111 }
David Benjamin7ead6052015-04-04 03:57:26 -0400112 t.Tests[name] = testResult{
113 Actual: result,
114 Expected: "PASS",
115 IsUnexpected: result != "PASS",
116 }
David Benjamin5f237bc2015-02-11 17:14:15 -0500117 t.NumFailuresByType[result]++
118}
119
120func (t *testOutput) writeTo(name string) error {
121 file, err := os.Create(name)
122 if err != nil {
123 return err
124 }
125 defer file.Close()
126 out, err := json.MarshalIndent(t, "", " ")
127 if err != nil {
128 return err
129 }
130 _, err = file.Write(out)
131 return err
132}
133
David Benjamin491b9212015-02-11 14:18:45 -0500134func valgrindOf(dbAttach bool, path string, args ...string) *exec.Cmd {
David Benjamind2ba8892016-09-20 19:41:04 -0400135 valgrindArgs := []string{"--error-exitcode=99", "--track-origins=yes", "--leak-check=full", "--quiet"}
David Benjamin491b9212015-02-11 14:18:45 -0500136 if dbAttach {
137 valgrindArgs = append(valgrindArgs, "--db-attach=yes", "--db-command=xterm -e gdb -nw %f %p")
138 }
139 valgrindArgs = append(valgrindArgs, path)
140 valgrindArgs = append(valgrindArgs, args...)
141
142 return exec.Command("valgrind", valgrindArgs...)
143}
144
Steven Valdezab14a4a2016-02-29 16:58:26 -0500145func callgrindOf(path string, args ...string) *exec.Cmd {
146 valgrindArgs := []string{"-q", "--tool=callgrind", "--dump-instr=yes", "--collect-jumps=yes", "--callgrind-out-file=" + *buildDir + "/callgrind/callgrind.out.%p"}
147 valgrindArgs = append(valgrindArgs, path)
148 valgrindArgs = append(valgrindArgs, args...)
149
150 return exec.Command("valgrind", valgrindArgs...)
151}
152
David Benjamin0b635c52015-05-15 19:08:49 -0400153func gdbOf(path string, args ...string) *exec.Cmd {
154 xtermArgs := []string{"-e", "gdb", "--args"}
155 xtermArgs = append(xtermArgs, path)
156 xtermArgs = append(xtermArgs, args...)
157
158 return exec.Command("xterm", xtermArgs...)
159}
160
Adam Langleye212f272017-02-03 08:52:21 -0800161func sdeOf(cpu, path string, args ...string) *exec.Cmd {
162 sdeArgs := []string{"-" + cpu, "--", path}
163 sdeArgs = append(sdeArgs, args...)
164 return exec.Command("sde", sdeArgs...)
165}
166
David Benjamin0b635c52015-05-15 19:08:49 -0400167type moreMallocsError struct{}
168
169func (moreMallocsError) Error() string {
170 return "child process did not exhaust all allocation calls"
171}
172
173var errMoreMallocs = moreMallocsError{}
174
175func runTestOnce(test test, mallocNumToFail int64) (passed bool, err error) {
Adam Langleye212f272017-02-03 08:52:21 -0800176 prog := path.Join(*buildDir, test.args[0])
177 args := test.args[1:]
David Benjamin491b9212015-02-11 14:18:45 -0500178 var cmd *exec.Cmd
179 if *useValgrind {
180 cmd = valgrindOf(false, prog, args...)
Steven Valdezab14a4a2016-02-29 16:58:26 -0500181 } else if *useCallgrind {
182 cmd = callgrindOf(prog, args...)
David Benjamin0b635c52015-05-15 19:08:49 -0400183 } else if *useGDB {
184 cmd = gdbOf(prog, args...)
Adam Langleye212f272017-02-03 08:52:21 -0800185 } else if *useSDE {
186 cmd = sdeOf(test.cpu, prog, args...)
David Benjamin491b9212015-02-11 14:18:45 -0500187 } else {
188 cmd = exec.Command(prog, args...)
189 }
David Benjamin634b0e32017-02-04 11:14:57 -0500190 var outBuf bytes.Buffer
191 cmd.Stdout = &outBuf
192 cmd.Stderr = &outBuf
David Benjamin0b635c52015-05-15 19:08:49 -0400193 if mallocNumToFail >= 0 {
194 cmd.Env = os.Environ()
195 cmd.Env = append(cmd.Env, "MALLOC_NUMBER_TO_FAIL="+strconv.FormatInt(mallocNumToFail, 10))
196 if *mallocTestDebug {
197 cmd.Env = append(cmd.Env, "MALLOC_ABORT_ON_FAIL=1")
198 }
199 cmd.Env = append(cmd.Env, "_MALLOC_CHECK=1")
200 }
David Benjamin491b9212015-02-11 14:18:45 -0500201
202 if err := cmd.Start(); err != nil {
203 return false, err
204 }
205 if err := cmd.Wait(); err != nil {
David Benjamin0b635c52015-05-15 19:08:49 -0400206 if exitError, ok := err.(*exec.ExitError); ok {
207 if exitError.Sys().(syscall.WaitStatus).ExitStatus() == 88 {
208 return false, errMoreMallocs
209 }
210 }
David Benjamin634b0e32017-02-04 11:14:57 -0500211 fmt.Print(string(outBuf.Bytes()))
David Benjamin491b9212015-02-11 14:18:45 -0500212 return false, err
213 }
214
215 // Account for Windows line-endings.
David Benjamin634b0e32017-02-04 11:14:57 -0500216 stdout := bytes.Replace(outBuf.Bytes(), []byte("\r\n"), []byte("\n"), -1)
David Benjamin491b9212015-02-11 14:18:45 -0500217
218 if bytes.HasSuffix(stdout, []byte("PASS\n")) &&
219 (len(stdout) == 5 || stdout[len(stdout)-6] == '\n') {
220 return true, nil
221 }
David Benjamin96628432017-01-19 19:05:47 -0500222
223 // Also accept a googletest-style pass line. This is left here in
224 // transition until the tests are all converted and this script made
225 // unnecessary.
226 if bytes.Contains(stdout, []byte("\n[ PASSED ]")) {
227 return true, nil
228 }
229
David Benjamin634b0e32017-02-04 11:14:57 -0500230 fmt.Print(string(outBuf.Bytes()))
David Benjamin491b9212015-02-11 14:18:45 -0500231 return false, nil
232}
233
David Benjamin0b635c52015-05-15 19:08:49 -0400234func runTest(test test) (bool, error) {
235 if *mallocTest < 0 {
236 return runTestOnce(test, -1)
237 }
238
239 for mallocNumToFail := int64(*mallocTest); ; mallocNumToFail++ {
240 if passed, err := runTestOnce(test, mallocNumToFail); err != errMoreMallocs {
241 if err != nil {
242 err = fmt.Errorf("at malloc %d: %s", mallocNumToFail, err)
243 }
244 return passed, err
245 }
246 }
247}
248
Martin Kreichgauer23aff6b2017-04-11 08:53:08 -0700249// shortTestName returns the short name of a test. Except for evp_test and
250// cipher_test, it assumes that any argument which ends in .txt is a path to a
251// data file and not relevant to the test's uniqueness.
David Benjamin5f237bc2015-02-11 17:14:15 -0500252func shortTestName(test test) string {
253 var args []string
Adam Langleye212f272017-02-03 08:52:21 -0800254 for _, arg := range test.args {
Martin Kreichgauer3975ecf2017-04-19 17:12:52 -0700255 if test.args[0] == "crypto/evp/evp_test" || test.args[0] == "crypto/cipher/cipher_test" || test.args[0] == "crypto/cipher/aead_test" || !strings.HasSuffix(arg, ".txt") {
David Benjamin5f237bc2015-02-11 17:14:15 -0500256 args = append(args, arg)
257 }
258 }
Adam Langleye212f272017-02-03 08:52:21 -0800259 return strings.Join(args, " ") + test.cpuMsg()
David Benjamin5f237bc2015-02-11 17:14:15 -0500260}
261
Adam Langley117da412015-06-10 17:32:25 -0700262// setWorkingDirectory walks up directories as needed until the current working
263// directory is the top of a BoringSSL checkout.
264func setWorkingDirectory() {
265 for i := 0; i < 64; i++ {
David Benjamin95aaf4a2015-09-03 12:09:36 -0400266 if _, err := os.Stat("BUILDING.md"); err == nil {
Adam Langley117da412015-06-10 17:32:25 -0700267 return
268 }
269 os.Chdir("..")
270 }
271
David Benjamin95aaf4a2015-09-03 12:09:36 -0400272 panic("Couldn't find BUILDING.md in a parent directory!")
Adam Langley117da412015-06-10 17:32:25 -0700273}
274
275func parseTestConfig(filename string) ([]test, error) {
276 in, err := os.Open(filename)
277 if err != nil {
278 return nil, err
279 }
280 defer in.Close()
281
282 decoder := json.NewDecoder(in)
Adam Langleye212f272017-02-03 08:52:21 -0800283 var testArgs [][]string
284 if err := decoder.Decode(&testArgs); err != nil {
Adam Langley117da412015-06-10 17:32:25 -0700285 return nil, err
286 }
Adam Langleye212f272017-02-03 08:52:21 -0800287
288 var result []test
289 for _, args := range testArgs {
290 result = append(result, test{args: args})
291 }
Adam Langley117da412015-06-10 17:32:25 -0700292 return result, nil
293}
294
Steven Valdez32223942016-03-02 11:53:07 -0500295func worker(tests <-chan test, results chan<- result, done *sync.WaitGroup) {
296 defer done.Done()
297 for test := range tests {
298 passed, err := runTest(test)
299 results <- result{test, passed, err}
300 }
301}
302
Adam Langleye212f272017-02-03 08:52:21 -0800303func (t test) cpuMsg() string {
304 if len(t.cpu) == 0 {
305 return ""
306 }
307
308 return fmt.Sprintf(" (for CPU %q)", t.cpu)
309}
310
David Benjamin491b9212015-02-11 14:18:45 -0500311func main() {
312 flag.Parse()
Adam Langley117da412015-06-10 17:32:25 -0700313 setWorkingDirectory()
314
Steven Valdez32223942016-03-02 11:53:07 -0500315 testCases, err := parseTestConfig("util/all_tests.json")
Adam Langley117da412015-06-10 17:32:25 -0700316 if err != nil {
317 fmt.Printf("Failed to parse input: %s\n", err)
318 os.Exit(1)
319 }
David Benjamin491b9212015-02-11 14:18:45 -0500320
Steven Valdez32223942016-03-02 11:53:07 -0500321 var wg sync.WaitGroup
322 tests := make(chan test, *numWorkers)
David Benjamin8b9e7802016-03-02 18:23:21 -0500323 results := make(chan result, *numWorkers)
Steven Valdez32223942016-03-02 11:53:07 -0500324
325 for i := 0; i < *numWorkers; i++ {
David Benjamin8b9e7802016-03-02 18:23:21 -0500326 wg.Add(1)
Steven Valdez32223942016-03-02 11:53:07 -0500327 go worker(tests, results, &wg)
328 }
329
Steven Valdez32223942016-03-02 11:53:07 -0500330 go func() {
David Benjamin8b9e7802016-03-02 18:23:21 -0500331 for _, test := range testCases {
Adam Langleye212f272017-02-03 08:52:21 -0800332 if *useSDE {
333 for _, cpu := range sdeCPUs {
334 testForCPU := test
335 testForCPU.cpu = cpu
336 tests <- testForCPU
337 }
338 } else {
339 tests <- test
340 }
David Benjamin8b9e7802016-03-02 18:23:21 -0500341 }
342 close(tests)
343
Steven Valdez32223942016-03-02 11:53:07 -0500344 wg.Wait()
345 close(results)
346 }()
347
David Benjamin5f237bc2015-02-11 17:14:15 -0500348 testOutput := newTestOutput()
David Benjamin491b9212015-02-11 14:18:45 -0500349 var failed []test
Steven Valdez32223942016-03-02 11:53:07 -0500350 for testResult := range results {
351 test := testResult.Test
Adam Langleye212f272017-02-03 08:52:21 -0800352 args := test.args
David Benjamin5f237bc2015-02-11 17:14:15 -0500353
Adam Langleye212f272017-02-03 08:52:21 -0800354 fmt.Printf("%s%s\n", strings.Join(args, " "), test.cpuMsg())
David Benjamin5f237bc2015-02-11 17:14:15 -0500355 name := shortTestName(test)
Steven Valdez32223942016-03-02 11:53:07 -0500356 if testResult.Error != nil {
Adam Langleye212f272017-02-03 08:52:21 -0800357 fmt.Printf("%s failed to complete: %s\n", args[0], testResult.Error)
David Benjamin491b9212015-02-11 14:18:45 -0500358 failed = append(failed, test)
David Benjamin5f237bc2015-02-11 17:14:15 -0500359 testOutput.addResult(name, "CRASHED")
Steven Valdez32223942016-03-02 11:53:07 -0500360 } else if !testResult.Passed {
Adam Langleye212f272017-02-03 08:52:21 -0800361 fmt.Printf("%s failed to print PASS on the last line.\n", args[0])
David Benjamin491b9212015-02-11 14:18:45 -0500362 failed = append(failed, test)
David Benjamin5f237bc2015-02-11 17:14:15 -0500363 testOutput.addResult(name, "FAIL")
364 } else {
365 testOutput.addResult(name, "PASS")
David Benjamin491b9212015-02-11 14:18:45 -0500366 }
367 }
368
David Benjamin5f237bc2015-02-11 17:14:15 -0500369 if *jsonOutput != "" {
370 if err := testOutput.writeTo(*jsonOutput); err != nil {
371 fmt.Fprintf(os.Stderr, "Error: %s\n", err)
372 }
373 }
David Benjamin2ab7a862015-04-04 17:02:18 -0400374
375 if len(failed) > 0 {
David Benjamin8b9e7802016-03-02 18:23:21 -0500376 fmt.Printf("\n%d of %d tests failed:\n", len(failed), len(testCases))
David Benjamin2ab7a862015-04-04 17:02:18 -0400377 for _, test := range failed {
Adam Langleye5adaef2017-05-02 14:48:47 -0700378 fmt.Printf("\t%s%s\n", strings.Join(test.args, " "), test.cpuMsg())
David Benjamin2ab7a862015-04-04 17:02:18 -0400379 }
380 os.Exit(1)
381 }
382
383 fmt.Printf("\nAll tests passed!\n")
David Benjamin491b9212015-02-11 14:18:45 -0500384}