blob: 98f096788ecb64f95cfaa2aa8fa24d408f4f07e2 [file] [log] [blame]
Jiri Simsad7616c92015-03-24 23:44:30 -07001// Copyright 2015 The Vanadium 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
Jungho Ahnfa7a31f2015-01-07 17:34:12 -08005package benchmark
6
7import (
8 "bufio"
9 "bytes"
10 "fmt"
11 "os"
12 "runtime"
13 "sort"
14 "strings"
15 "sync"
16 "testing"
17)
18
19var (
20 curB *testing.B
21 curBenchName string
22 curStats map[string]*Stats
23
24 orgStdout *os.File
25 nextOutPos int
26
27 injectCond *sync.Cond
28 injectDone chan struct{}
29)
30
31// AddStats adds a new unnamed Stats instance to the current benchmark. You need
32// to run benchmarks by calling RunTestMain() to inject the stats to the
33// benchmark results. If numBuckets is not positive, the default value (16) will
34// be used. Please note that this calls b.ResetTimer() since it may be blocked
35// until the previous benchmark stats is printed out. So AddStats() should
36// typically be called at the very beginning of each benchmark function.
37func AddStats(b *testing.B, numBuckets int) *Stats {
38 return AddStatsWithName(b, "", numBuckets)
39}
40
41// AddStatsWithName adds a new named Stats instance to the current benchmark.
42// With this, you can add multiple stats in a single benchmark. You need
43// to run benchmarks by calling RunTestMain() to inject the stats to the
44// benchmark results. If numBuckets is not positive, the default value (16) will
45// be used. Please note that this calls b.ResetTimer() since it may be blocked
46// until the previous benchmark stats is printed out. So AddStatsWithName()
47// should typically be called at the very beginning of each benchmark function.
48func AddStatsWithName(b *testing.B, name string, numBuckets int) *Stats {
49 var benchName string
50 for i := 1; ; i++ {
51 pc, _, _, ok := runtime.Caller(i)
52 if !ok {
53 panic("benchmark function not found")
54 }
55 p := strings.Split(runtime.FuncForPC(pc).Name(), ".")
56 benchName = p[len(p)-1]
57 if strings.HasPrefix(benchName, "Benchmark") {
58 break
59 }
60 }
61 procs := runtime.GOMAXPROCS(-1)
62 if procs != 1 {
63 benchName = fmt.Sprintf("%s-%d", benchName, procs)
64 }
65
66 stats := NewStats(numBuckets)
67
68 if injectCond != nil {
69 // We need to wait until the previous benchmark stats is printed out.
70 injectCond.L.Lock()
71 for curB != nil && curBenchName != benchName {
72 injectCond.Wait()
73 }
74
75 curB = b
76 curBenchName = benchName
77 curStats[name] = stats
78
79 injectCond.L.Unlock()
80 }
81
82 b.ResetTimer()
83 return stats
84}
85
86// RunTestMain runs the tests with enabling injection of benchmark stats. It
87// returns an exit code to pass to os.Exit.
88func RunTestMain(m *testing.M) int {
89 startStatsInjector()
90 defer stopStatsInjector()
91 return m.Run()
92}
93
94// startStatsInjector starts stats injection to benchmark results.
95func startStatsInjector() {
96 orgStdout = os.Stdout
97 r, w, _ := os.Pipe()
98 os.Stdout = w
99 nextOutPos = 0
100
101 resetCurBenchStats()
102
103 injectCond = sync.NewCond(&sync.Mutex{})
104 injectDone = make(chan struct{})
105 go func() {
106 defer close(injectDone)
107
108 scanner := bufio.NewScanner(r)
109 scanner.Split(splitLines)
110 for scanner.Scan() {
111 injectStatsIfFinished(scanner.Text())
112 }
113 if err := scanner.Err(); err != nil {
114 panic(err)
115 }
116 }()
117}
118
119// stopStatsInjector stops stats injection and restores os.Stdout.
120func stopStatsInjector() {
121 os.Stdout.Close()
122 <-injectDone
123 injectCond = nil
124 os.Stdout = orgStdout
125}
126
127// splitLines is a split function for a bufio.Scanner that returns each line
128// of text, teeing texts to the original stdout even before each line ends.
129func splitLines(data []byte, eof bool) (advance int, token []byte, err error) {
130 if eof && len(data) == 0 {
131 return 0, nil, nil
132 }
133
134 if i := bytes.IndexByte(data, '\n'); i >= 0 {
135 orgStdout.Write(data[nextOutPos : i+1])
136 nextOutPos = 0
137 return i + 1, data[0:i], nil
138 }
139
140 orgStdout.Write(data[nextOutPos:])
141 nextOutPos = len(data)
142
143 if eof {
144 // This is a final, non-terminated line. Return it.
145 return len(data), data, nil
146 }
147
148 return 0, nil, nil
149}
150
151// injectStatsIfFinished prints out the stats if the current benchmark finishes.
152func injectStatsIfFinished(line string) {
153 injectCond.L.Lock()
154 defer injectCond.L.Unlock()
155
156 // We assume that the benchmark results start with the benchmark name.
157 if curB == nil || !strings.HasPrefix(line, curBenchName) {
158 return
159 }
160
161 if !curB.Failed() {
162 // Output all stats in alphabetical order.
163 names := make([]string, 0, len(curStats))
164 for name := range curStats {
165 names = append(names, name)
166 }
167 sort.Strings(names)
168 for _, name := range names {
169 stats := curStats[name]
170 // The output of stats starts with a header like "Histogram (unit: ms)"
171 // followed by statistical properties and the buckets. Add the stats name
172 // if it is a named stats and indent them as Go testing outputs.
173 lines := strings.Split(stats.String(), "\n")
174 if n := len(lines); n > 0 {
175 if name != "" {
176 name = ": " + name
177 }
178 fmt.Fprintf(orgStdout, "--- %s%s\n", lines[0], name)
179 for _, line := range lines[1 : n-1] {
180 fmt.Fprintf(orgStdout, "\t%s\n", line)
181 }
182 }
183 }
184 }
185
186 resetCurBenchStats()
187 injectCond.Signal()
188}
189
190// resetCurBenchStats resets the current benchmark stats.
191func resetCurBenchStats() {
192 curB = nil
193 curBenchName = ""
194 curStats = make(map[string]*Stats)
195}