benchfmt: new benchmark parsing package

This adds a new package for parsing the Go benchmark format. In
contrast with the storage/benchfmt package, which this deprecates, the
new package is a complete implementation of the format including
parsing file-level configuration, benchmark lines, and benchmark
names.

This is the beginning of a substantial redesign of the perf module,
which will culminate in a new benchstat that's substantially more
featureful and modular. These new packages can live next to the
existing packages, so it's not necessary to introduce a v2 of this
module.

The benchfmt API is designed for streaming use and expects the calling
package to transform the results into some other representation. One
such representation is coming in a following CL.

The reader API is also designed to process millions of records per
second on a typical laptop. This may seem unnecessary, but we've seen
data volumes like this in practice.

Change-Id: Ic5af0e936cf75da29372c2bb5747886f11ac7661
Reviewed-on: https://go-review.googlesource.com/c/perf/+/283614
Trust: Austin Clements <austin@google.com>
Run-TryBot: Austin Clements <austin@google.com>
Reviewed-by: Russ Cox <rsc@golang.org>
Reviewed-by: David Chase <drchase@google.com>
Reviewed-by: Michael Knyszek <mknyszek@google.com>
TryBot-Result: Gopher Robot <gobot@golang.org>
diff --git a/benchfmt/files.go b/benchfmt/files.go
new file mode 100644
index 0000000..d23630a
--- /dev/null
+++ b/benchfmt/files.go
@@ -0,0 +1,179 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"fmt"
+	"os"
+	"strings"
+)
+
+// A Files reads benchmark results from a sequence of input files.
+//
+// This reader adds a ".file" configuration key to the output Results
+// corresponding to each path read in. By default, this will be the
+// file name directly from Paths, except that duplicate strings will
+// be disambiguated by appending "#N". If AllowLabels is true, then
+// entries in Path may be of the form label=path, and the label part
+// will be used for .file (without any disambiguation).
+type Files struct {
+	// Paths is the list of file names to read in.
+	//
+	// If AllowLabels is set, these strings may be of the form
+	// label=path, and the label part will be used for the
+	// ".file" key in the results.
+	Paths []string
+
+	// AllowStdin indicates that the path "-" should be treated as
+	// stdin and if the file list is empty, it should be treated
+	// as consisting of stdin.
+	//
+	// This is generally the desired behavior when the file list
+	// comes from command-line flags.
+	AllowStdin bool
+
+	// AllowLabels indicates that custom labels are allowed in
+	// Paths.
+	//
+	// This is generally the desired behavior when the file list
+	// comes from command-line flags, as it allows users to
+	// override .file.
+	AllowLabels bool
+
+	// inputs is the sequence of remaining inputs, or nil if this
+	// Files has not started yet. Note that this distinguishes nil
+	// from length 0.
+	inputs []input
+
+	reader  Reader
+	file    *os.File
+	isStdin bool
+	err     error
+}
+
+type input struct {
+	path      string
+	label     string
+	isStdin   bool
+	isLabeled bool
+}
+
+// init does first-use initialization of f.
+func (f *Files) init() {
+	// Set f.inputs to a non-nil slice to indicate initialization
+	// has happened.
+	f.inputs = []input{}
+
+	// Parse the paths. Doing this first simplifies iteration and
+	// disambiguation.
+	pathCount := make(map[string]int)
+	if f.AllowStdin && len(f.Paths) == 0 {
+		f.inputs = append(f.inputs, input{"-", "-", true, false})
+	}
+	for _, path := range f.Paths {
+		// Parse the label.
+		label := path
+		isLabeled := false
+		if i := strings.Index(path, "="); f.AllowLabels && i >= 0 {
+			label, path = path[:i], path[i+1:]
+			isLabeled = true
+		} else {
+			pathCount[path]++
+		}
+
+		isStdin := f.AllowStdin && path == "-"
+		f.inputs = append(f.inputs, input{path, label, isStdin, isLabeled})
+	}
+
+	// If the same path is given multiple times, disambiguate its
+	// .file. Otherwise, the results have indistinguishable
+	// configurations, which just doubles up samples, which is
+	// generally not what users are expecting. For overridden
+	// labels, we do exactly what the user says.
+	pathI := make(map[string]int)
+	for i := range f.inputs {
+		inp := &f.inputs[i]
+		if inp.isLabeled || pathCount[inp.path] == 1 {
+			continue
+		}
+		// Disambiguate.
+		inp.label = fmt.Sprintf("%s#%d", inp.path, pathI[inp.path])
+		pathI[inp.path]++
+	}
+}
+
+// Scan advances the reader to the next result in the sequence of
+// files and reports whether a result was read. The caller should use
+// the Result method to get the result. If Scan reaches the end of the
+// file sequence, or if an I/O error occurs, it returns false. In this
+// case, the caller should use the Err method to check for errors.
+func (f *Files) Scan() bool {
+	if f.err != nil {
+		return false
+	}
+
+	if f.inputs == nil {
+		f.init()
+	}
+
+	for {
+		if f.file == nil {
+			// Open the next file.
+			if len(f.inputs) == 0 {
+				// We're out of inputs.
+				return false
+			}
+			inp := f.inputs[0]
+			f.inputs = f.inputs[1:]
+
+			if inp.isStdin {
+				f.isStdin, f.file = true, os.Stdin
+			} else {
+				file, err := os.Open(inp.path)
+				if err != nil {
+					f.err = err
+					return false
+				}
+				f.isStdin, f.file = false, file
+			}
+
+			// Prepare the reader. Because ".file" is not
+			// valid syntax for file configuration keys in
+			// the file itself, there's no danger of it
+			// being overwritten.
+			f.reader.Reset(f.file, inp.path, ".file", inp.label)
+		}
+
+		// Try to get the next result.
+		if f.reader.Scan() {
+			return true
+		}
+		err := f.reader.Err()
+		if err != nil {
+			f.err = err
+			break
+		}
+		// Just an EOF. Close this file and open the next.
+		if !f.isStdin {
+			f.file.Close()
+		}
+		f.file = nil
+	}
+	// We're out of files.
+	return false
+}
+
+// Result returns the record that was just read by Scan.
+// See Reader.Result.
+func (f *Files) Result() Record {
+	return f.reader.Result()
+}
+
+// Err returns the I/O error that stopped Scan, if any.
+// If Scan stopped because it read each file to completion,
+// or if Scan has not yet returned false, Err returns nil.
+func (f *Files) Err() error {
+	return f.err
+}
diff --git a/benchfmt/files_test.go b/benchfmt/files_test.go
new file mode 100644
index 0000000..eb46bfe
--- /dev/null
+++ b/benchfmt/files_test.go
@@ -0,0 +1,146 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"os"
+	"strings"
+	"syscall"
+	"testing"
+)
+
+func TestFiles(t *testing.T) {
+	// Switch to testdata/files directory.
+	oldDir, err := os.Getwd()
+	if err != nil {
+		t.Fatal(err)
+	}
+	defer os.Chdir(oldDir)
+	if err := os.Chdir("testdata/files"); err != nil {
+		t.Fatal(err)
+	}
+
+	check := func(f *Files, want ...string) {
+		t.Helper()
+		for f.Scan() {
+			switch res := f.Result(); res := res.(type) {
+			default:
+				t.Fatalf("unexpected result type %T", res)
+			case *SyntaxError:
+				t.Fatalf("unexpected Result error %s", res)
+				return
+			case *Result:
+				if len(want) == 0 {
+					t.Errorf("got result, want end of stream")
+					return
+				}
+				got := res.GetConfig(".file") + " " + string(res.Name.Full())
+				if got != want[0] {
+					t.Errorf("got %q, want %q", got, want[0])
+				}
+				want = want[1:]
+			}
+		}
+
+		err := f.Err()
+		wantErr := ""
+		if len(want) == 1 && strings.HasPrefix(want[0], "err ") {
+			wantErr = want[0][len("err "):]
+			want = want[1:]
+		}
+		if err == nil && wantErr != "" {
+			t.Errorf("got success, want error %s", wantErr)
+		} else if err != nil && wantErr == "" {
+			t.Errorf("got error %s", err)
+		} else if err != nil && err.Error() != wantErr {
+			t.Errorf("got error %s, want error %s", err, wantErr)
+		}
+
+		if len(want) != 0 {
+			t.Errorf("got end of stream, want %v", want)
+		}
+	}
+
+	// Basic tests.
+	check(
+		&Files{Paths: []string{"a", "b"}},
+		"a X", "a Y", "b Z",
+	)
+	check(
+		&Files{Paths: []string{"a", "b", "c", "d"}},
+		"a X", "a Y", "b Z", "err open c: "+syscall.ENOENT.Error(),
+	)
+
+	// Ambiguous paths.
+	check(
+		&Files{Paths: []string{"a", "b", "a"}},
+		"a#0 X", "a#0 Y", "b Z", "a#1 X", "a#1 Y",
+	)
+
+	// AllowStdin.
+	check(
+		&Files{Paths: []string{"-"}},
+		"err open -: "+syscall.ENOENT.Error(),
+	)
+	fakeStdin("BenchmarkIn 1 1 ns/op\n", func() {
+		check(
+			&Files{
+				Paths:      []string{"-"},
+				AllowStdin: true,
+			},
+			"- In",
+		)
+	})
+
+	// Labels.
+	check(
+		&Files{
+			Paths:       []string{"a", "b"},
+			AllowLabels: true,
+		},
+		"a X", "a Y", "b Z",
+	)
+	check(
+		&Files{
+			Paths:       []string{"foo=a", "b"},
+			AllowLabels: true,
+		},
+		"foo X", "foo Y", "b Z",
+	)
+	fakeStdin("BenchmarkIn 1 1 ns/op\n", func() {
+		check(
+			&Files{
+				Paths:       []string{"foo=-"},
+				AllowStdin:  true,
+				AllowLabels: true,
+			},
+			"foo In",
+		)
+	})
+
+	// Ambiguous labels don't get disambiguated.
+	check(
+		&Files{
+			Paths:       []string{"foo=a", "foo=a"},
+			AllowLabels: true,
+		},
+		"foo X", "foo Y", "foo X", "foo Y",
+	)
+}
+
+func fakeStdin(content string, cb func()) {
+	r, w, err := os.Pipe()
+	if err != nil {
+		panic(err)
+	}
+	go func() {
+		defer w.Close()
+		w.WriteString(content)
+	}()
+	defer r.Close()
+	defer func(orig *os.File) { os.Stdin = orig }(os.Stdin)
+	os.Stdin = r
+	cb()
+}
diff --git a/benchfmt/internal/bytesconv/README.md b/benchfmt/internal/bytesconv/README.md
new file mode 100644
index 0000000..52c510b
--- /dev/null
+++ b/benchfmt/internal/bytesconv/README.md
@@ -0,0 +1,5 @@
+This is a partial copy of strconv.Parse* from Go 1.13.6, converted to
+use []byte (and stripped of the overly complex extFloat fast-path).
+It makes me sad that we have to do this, but see golang.org/issue/2632.
+We can eliminate this if golang.org/issue/43752 (or more generally,
+golang.org/issue/2205) gets fixed.
diff --git a/benchfmt/internal/bytesconv/atof.go b/benchfmt/internal/bytesconv/atof.go
new file mode 100644
index 0000000..5ffdbaa
--- /dev/null
+++ b/benchfmt/internal/bytesconv/atof.go
@@ -0,0 +1,649 @@
+// Copyright 2009 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package bytesconv
+
+// decimal to binary floating point conversion.
+// Algorithm:
+//   1) Store input in multiprecision decimal.
+//   2) Multiply/divide decimal by powers of two until in range [0.5, 1)
+//   3) Multiply by 2^precision and round to get mantissa.
+
+import "math"
+
+var optimize = true // set to false to force slow-path conversions for testing
+
+func equalIgnoreCase(s1 []byte, s2 string) bool {
+	if len(s1) != len(s2) {
+		return false
+	}
+	for i := 0; i < len(s1); i++ {
+		c1 := s1[i]
+		if 'A' <= c1 && c1 <= 'Z' {
+			c1 += 'a' - 'A'
+		}
+		c2 := s2[i]
+		if 'A' <= c2 && c2 <= 'Z' {
+			c2 += 'a' - 'A'
+		}
+		if c1 != c2 {
+			return false
+		}
+	}
+	return true
+}
+
+func special(s []byte) (f float64, ok bool) {
+	if len(s) == 0 {
+		return
+	}
+	switch s[0] {
+	default:
+		return
+	case '+':
+		if equalIgnoreCase(s, "+inf") || equalIgnoreCase(s, "+infinity") {
+			return math.Inf(1), true
+		}
+	case '-':
+		if equalIgnoreCase(s, "-inf") || equalIgnoreCase(s, "-infinity") {
+			return math.Inf(-1), true
+		}
+	case 'n', 'N':
+		if equalIgnoreCase(s, "nan") {
+			return math.NaN(), true
+		}
+	case 'i', 'I':
+		if equalIgnoreCase(s, "inf") || equalIgnoreCase(s, "infinity") {
+			return math.Inf(1), true
+		}
+	}
+	return
+}
+
+func (b *decimal) set(s []byte) (ok bool) {
+	i := 0
+	b.neg = false
+	b.trunc = false
+
+	// optional sign
+	if i >= len(s) {
+		return
+	}
+	switch {
+	case s[i] == '+':
+		i++
+	case s[i] == '-':
+		b.neg = true
+		i++
+	}
+
+	// digits
+	sawdot := false
+	sawdigits := false
+	for ; i < len(s); i++ {
+		switch {
+		case s[i] == '_':
+			// underscoreOK already called
+			continue
+		case s[i] == '.':
+			if sawdot {
+				return
+			}
+			sawdot = true
+			b.dp = b.nd
+			continue
+
+		case '0' <= s[i] && s[i] <= '9':
+			sawdigits = true
+			if s[i] == '0' && b.nd == 0 { // ignore leading zeros
+				b.dp--
+				continue
+			}
+			if b.nd < len(b.d) {
+				b.d[b.nd] = s[i]
+				b.nd++
+			} else if s[i] != '0' {
+				b.trunc = true
+			}
+			continue
+		}
+		break
+	}
+	if !sawdigits {
+		return
+	}
+	if !sawdot {
+		b.dp = b.nd
+	}
+
+	// optional exponent moves decimal point.
+	// if we read a very large, very long number,
+	// just be sure to move the decimal point by
+	// a lot (say, 100000).  it doesn't matter if it's
+	// not the exact number.
+	if i < len(s) && lower(s[i]) == 'e' {
+		i++
+		if i >= len(s) {
+			return
+		}
+		esign := 1
+		if s[i] == '+' {
+			i++
+		} else if s[i] == '-' {
+			i++
+			esign = -1
+		}
+		if i >= len(s) || s[i] < '0' || s[i] > '9' {
+			return
+		}
+		e := 0
+		for ; i < len(s) && ('0' <= s[i] && s[i] <= '9' || s[i] == '_'); i++ {
+			if s[i] == '_' {
+				// underscoreOK already called
+				continue
+			}
+			if e < 10000 {
+				e = e*10 + int(s[i]) - '0'
+			}
+		}
+		b.dp += e * esign
+	}
+
+	if i != len(s) {
+		return
+	}
+
+	ok = true
+	return
+}
+
+// readFloat reads a decimal mantissa and exponent from a float
+// string representation. It returns ok==false if the number could
+// not fit return types or is invalid.
+func readFloat(s []byte) (mantissa uint64, exp int, neg, trunc, hex, ok bool) {
+	i := 0
+
+	// optional sign
+	if i >= len(s) {
+		return
+	}
+	switch {
+	case s[i] == '+':
+		i++
+	case s[i] == '-':
+		neg = true
+		i++
+	}
+
+	// digits
+	base := uint64(10)
+	maxMantDigits := 19 // 10^19 fits in uint64
+	expChar := byte('e')
+	if i+2 < len(s) && s[i] == '0' && lower(s[i+1]) == 'x' {
+		base = 16
+		maxMantDigits = 16 // 16^16 fits in uint64
+		i += 2
+		expChar = 'p'
+		hex = true
+	}
+	sawdot := false
+	sawdigits := false
+	nd := 0
+	ndMant := 0
+	dp := 0
+	for ; i < len(s); i++ {
+		switch c := s[i]; true {
+		case c == '_':
+			// underscoreOK already called
+			continue
+
+		case c == '.':
+			if sawdot {
+				return
+			}
+			sawdot = true
+			dp = nd
+			continue
+
+		case '0' <= c && c <= '9':
+			sawdigits = true
+			if c == '0' && nd == 0 { // ignore leading zeros
+				dp--
+				continue
+			}
+			nd++
+			if ndMant < maxMantDigits {
+				mantissa *= base
+				mantissa += uint64(c - '0')
+				ndMant++
+			} else if c != '0' {
+				trunc = true
+			}
+			continue
+
+		case base == 16 && 'a' <= lower(c) && lower(c) <= 'f':
+			sawdigits = true
+			nd++
+			if ndMant < maxMantDigits {
+				mantissa *= 16
+				mantissa += uint64(lower(c) - 'a' + 10)
+				ndMant++
+			} else {
+				trunc = true
+			}
+			continue
+		}
+		break
+	}
+	if !sawdigits {
+		return
+	}
+	if !sawdot {
+		dp = nd
+	}
+
+	if base == 16 {
+		dp *= 4
+		ndMant *= 4
+	}
+
+	// optional exponent moves decimal point.
+	// if we read a very large, very long number,
+	// just be sure to move the decimal point by
+	// a lot (say, 100000).  it doesn't matter if it's
+	// not the exact number.
+	if i < len(s) && lower(s[i]) == expChar {
+		i++
+		if i >= len(s) {
+			return
+		}
+		esign := 1
+		if s[i] == '+' {
+			i++
+		} else if s[i] == '-' {
+			i++
+			esign = -1
+		}
+		if i >= len(s) || s[i] < '0' || s[i] > '9' {
+			return
+		}
+		e := 0
+		for ; i < len(s) && ('0' <= s[i] && s[i] <= '9' || s[i] == '_'); i++ {
+			if s[i] == '_' {
+				// underscoreOK already called
+				continue
+			}
+			if e < 10000 {
+				e = e*10 + int(s[i]) - '0'
+			}
+		}
+		dp += e * esign
+	} else if base == 16 {
+		// Must have exponent.
+		return
+	}
+
+	if i != len(s) {
+		return
+	}
+
+	if mantissa != 0 {
+		exp = dp - ndMant
+	}
+	ok = true
+	return
+}
+
+// decimal power of ten to binary power of two.
+var powtab = []int{1, 3, 6, 9, 13, 16, 19, 23, 26}
+
+func (d *decimal) floatBits(flt *floatInfo) (b uint64, overflow bool) {
+	var exp int
+	var mant uint64
+
+	// Zero is always a special case.
+	if d.nd == 0 {
+		mant = 0
+		exp = flt.bias
+		goto out
+	}
+
+	// Obvious overflow/underflow.
+	// These bounds are for 64-bit floats.
+	// Will have to change if we want to support 80-bit floats in the future.
+	if d.dp > 310 {
+		goto overflow
+	}
+	if d.dp < -330 {
+		// zero
+		mant = 0
+		exp = flt.bias
+		goto out
+	}
+
+	// Scale by powers of two until in range [0.5, 1.0)
+	exp = 0
+	for d.dp > 0 {
+		var n int
+		if d.dp >= len(powtab) {
+			n = 27
+		} else {
+			n = powtab[d.dp]
+		}
+		d.Shift(-n)
+		exp += n
+	}
+	for d.dp < 0 || d.dp == 0 && d.d[0] < '5' {
+		var n int
+		if -d.dp >= len(powtab) {
+			n = 27
+		} else {
+			n = powtab[-d.dp]
+		}
+		d.Shift(n)
+		exp -= n
+	}
+
+	// Our range is [0.5,1) but floating point range is [1,2).
+	exp--
+
+	// Minimum representable exponent is flt.bias+1.
+	// If the exponent is smaller, move it up and
+	// adjust d accordingly.
+	if exp < flt.bias+1 {
+		n := flt.bias + 1 - exp
+		d.Shift(-n)
+		exp += n
+	}
+
+	if exp-flt.bias >= 1<<flt.expbits-1 {
+		goto overflow
+	}
+
+	// Extract 1+flt.mantbits bits.
+	d.Shift(int(1 + flt.mantbits))
+	mant = d.RoundedInteger()
+
+	// Rounding might have added a bit; shift down.
+	if mant == 2<<flt.mantbits {
+		mant >>= 1
+		exp++
+		if exp-flt.bias >= 1<<flt.expbits-1 {
+			goto overflow
+		}
+	}
+
+	// Denormalized?
+	if mant&(1<<flt.mantbits) == 0 {
+		exp = flt.bias
+	}
+	goto out
+
+overflow:
+	// ±Inf
+	mant = 0
+	exp = 1<<flt.expbits - 1 + flt.bias
+	overflow = true
+
+out:
+	// Assemble bits.
+	bits := mant & (uint64(1)<<flt.mantbits - 1)
+	bits |= uint64((exp-flt.bias)&(1<<flt.expbits-1)) << flt.mantbits
+	if d.neg {
+		bits |= 1 << flt.mantbits << flt.expbits
+	}
+	return bits, overflow
+}
+
+// Exact powers of 10.
+var float64pow10 = []float64{
+	1e0, 1e1, 1e2, 1e3, 1e4, 1e5, 1e6, 1e7, 1e8, 1e9,
+	1e10, 1e11, 1e12, 1e13, 1e14, 1e15, 1e16, 1e17, 1e18, 1e19,
+	1e20, 1e21, 1e22,
+}
+var float32pow10 = []float32{1e0, 1e1, 1e2, 1e3, 1e4, 1e5, 1e6, 1e7, 1e8, 1e9, 1e10}
+
+// If possible to convert decimal representation to 64-bit float f exactly,
+// entirely in floating-point math, do so, avoiding the expense of decimalToFloatBits.
+// Three common cases:
+//	value is exact integer
+//	value is exact integer * exact power of ten
+//	value is exact integer / exact power of ten
+// These all produce potentially inexact but correctly rounded answers.
+func atof64exact(mantissa uint64, exp int, neg bool) (f float64, ok bool) {
+	if mantissa>>float64info.mantbits != 0 {
+		return
+	}
+	f = float64(mantissa)
+	if neg {
+		f = -f
+	}
+	switch {
+	case exp == 0:
+		// an integer.
+		return f, true
+	// Exact integers are <= 10^15.
+	// Exact powers of ten are <= 10^22.
+	case exp > 0 && exp <= 15+22: // int * 10^k
+		// If exponent is big but number of digits is not,
+		// can move a few zeros into the integer part.
+		if exp > 22 {
+			f *= float64pow10[exp-22]
+			exp = 22
+		}
+		if f > 1e15 || f < -1e15 {
+			// the exponent was really too large.
+			return
+		}
+		return f * float64pow10[exp], true
+	case exp < 0 && exp >= -22: // int / 10^k
+		return f / float64pow10[-exp], true
+	}
+	return
+}
+
+// If possible to compute mantissa*10^exp to 32-bit float f exactly,
+// entirely in floating-point math, do so, avoiding the machinery above.
+func atof32exact(mantissa uint64, exp int, neg bool) (f float32, ok bool) {
+	if mantissa>>float32info.mantbits != 0 {
+		return
+	}
+	f = float32(mantissa)
+	if neg {
+		f = -f
+	}
+	switch {
+	case exp == 0:
+		return f, true
+	// Exact integers are <= 10^7.
+	// Exact powers of ten are <= 10^10.
+	case exp > 0 && exp <= 7+10: // int * 10^k
+		// If exponent is big but number of digits is not,
+		// can move a few zeros into the integer part.
+		if exp > 10 {
+			f *= float32pow10[exp-10]
+			exp = 10
+		}
+		if f > 1e7 || f < -1e7 {
+			// the exponent was really too large.
+			return
+		}
+		return f * float32pow10[exp], true
+	case exp < 0 && exp >= -10: // int / 10^k
+		return f / float32pow10[-exp], true
+	}
+	return
+}
+
+// atofHex converts the hex floating-point string s
+// to a rounded float32 or float64 value (depending on flt==&float32info or flt==&float64info)
+// and returns it as a float64.
+// The string s has already been parsed into a mantissa, exponent, and sign (neg==true for negative).
+// If trunc is true, trailing non-zero bits have been omitted from the mantissa.
+func atofHex(s []byte, flt *floatInfo, mantissa uint64, exp int, neg, trunc bool) (float64, error) {
+	maxExp := 1<<flt.expbits + flt.bias - 2
+	minExp := flt.bias + 1
+	exp += int(flt.mantbits) // mantissa now implicitly divided by 2^mantbits.
+
+	// Shift mantissa and exponent to bring representation into float range.
+	// Eventually we want a mantissa with a leading 1-bit followed by mantbits other bits.
+	// For rounding, we need two more, where the bottom bit represents
+	// whether that bit or any later bit was non-zero.
+	// (If the mantissa has already lost non-zero bits, trunc is true,
+	// and we OR in a 1 below after shifting left appropriately.)
+	for mantissa != 0 && mantissa>>(flt.mantbits+2) == 0 {
+		mantissa <<= 1
+		exp--
+	}
+	if trunc {
+		mantissa |= 1
+	}
+	for mantissa>>(1+flt.mantbits+2) != 0 {
+		mantissa = mantissa>>1 | mantissa&1
+		exp++
+	}
+
+	// If exponent is too negative,
+	// denormalize in hopes of making it representable.
+	// (The -2 is for the rounding bits.)
+	for mantissa > 1 && exp < minExp-2 {
+		mantissa = mantissa>>1 | mantissa&1
+		exp++
+	}
+
+	// Round using two bottom bits.
+	round := mantissa & 3
+	mantissa >>= 2
+	round |= mantissa & 1 // round to even (round up if mantissa is odd)
+	exp += 2
+	if round == 3 {
+		mantissa++
+		if mantissa == 1<<(1+flt.mantbits) {
+			mantissa >>= 1
+			exp++
+		}
+	}
+
+	if mantissa>>flt.mantbits == 0 { // Denormal or zero.
+		exp = flt.bias
+	}
+	var err error
+	if exp > maxExp { // infinity and range error
+		mantissa = 1 << flt.mantbits
+		exp = maxExp + 1
+		err = rangeError(fnParseFloat, s)
+	}
+
+	bits := mantissa & (1<<flt.mantbits - 1)
+	bits |= uint64((exp-flt.bias)&(1<<flt.expbits-1)) << flt.mantbits
+	if neg {
+		bits |= 1 << flt.mantbits << flt.expbits
+	}
+	if flt == &float32info {
+		return float64(math.Float32frombits(uint32(bits))), err
+	}
+	return math.Float64frombits(bits), err
+}
+
+const fnParseFloat = "ParseFloat"
+
+func atof32(s []byte) (f float32, err error) {
+	if val, ok := special(s); ok {
+		return float32(val), nil
+	}
+
+	mantissa, exp, neg, trunc, hex, ok := readFloat(s)
+	if hex && ok {
+		f, err := atofHex(s, &float32info, mantissa, exp, neg, trunc)
+		return float32(f), err
+	}
+
+	if optimize && ok {
+		// Try pure floating-point arithmetic conversion.
+		if !trunc {
+			if f, ok := atof32exact(mantissa, exp, neg); ok {
+				return f, nil
+			}
+		}
+	}
+
+	// Slow fallback.
+	var d decimal
+	if !d.set(s) {
+		return 0, syntaxError(fnParseFloat, s)
+	}
+	b, ovf := d.floatBits(&float32info)
+	f = math.Float32frombits(uint32(b))
+	if ovf {
+		err = rangeError(fnParseFloat, s)
+	}
+	return f, err
+}
+
+func atof64(s []byte) (f float64, err error) {
+	if val, ok := special(s); ok {
+		return val, nil
+	}
+
+	mantissa, exp, neg, trunc, hex, ok := readFloat(s)
+	if hex && ok {
+		return atofHex(s, &float64info, mantissa, exp, neg, trunc)
+	}
+
+	if optimize && ok {
+		// Try pure floating-point arithmetic conversion.
+		if !trunc {
+			if f, ok := atof64exact(mantissa, exp, neg); ok {
+				return f, nil
+			}
+		}
+	}
+
+	// Slow fallback.
+	var d decimal
+	if !d.set(s) {
+		return 0, syntaxError(fnParseFloat, s)
+	}
+	b, ovf := d.floatBits(&float64info)
+	f = math.Float64frombits(b)
+	if ovf {
+		err = rangeError(fnParseFloat, s)
+	}
+	return f, err
+}
+
+// ParseFloat converts the string s to a floating-point number
+// with the precision specified by bitSize: 32 for float32, or 64 for float64.
+// When bitSize=32, the result still has type float64, but it will be
+// convertible to float32 without changing its value.
+//
+// ParseFloat accepts decimal and hexadecimal floating-point number syntax.
+// If s is well-formed and near a valid floating-point number,
+// ParseFloat returns the nearest floating-point number rounded
+// using IEEE754 unbiased rounding.
+// (Parsing a hexadecimal floating-point value only rounds when
+// there are more bits in the hexadecimal representation than
+// will fit in the mantissa.)
+//
+// The errors that ParseFloat returns have concrete type *NumError
+// and include err.Num = s.
+//
+// If s is not syntactically well-formed, ParseFloat returns err.Err = ErrSyntax.
+//
+// If s is syntactically well-formed but is more than 1/2 ULP
+// away from the largest floating point number of the given size,
+// ParseFloat returns f = ±Inf, err.Err = ErrRange.
+//
+// ParseFloat recognizes the strings "NaN", "+Inf", and "-Inf" as their
+// respective special floating point values. It ignores case when matching.
+func ParseFloat(s []byte, bitSize int) (float64, error) {
+	if !underscoreOK(s) {
+		return 0, syntaxError(fnParseFloat, s)
+	}
+	if bitSize == 32 {
+		f, err := atof32(s)
+		return float64(f), err
+	}
+	return atof64(s)
+}
diff --git a/benchfmt/internal/bytesconv/atoi.go b/benchfmt/internal/bytesconv/atoi.go
new file mode 100644
index 0000000..aded52e
--- /dev/null
+++ b/benchfmt/internal/bytesconv/atoi.go
@@ -0,0 +1,306 @@
+// Copyright 2009 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package bytesconv
+
+import (
+	"errors"
+	"strconv"
+)
+
+// lower(c) is a lower-case letter if and only if
+// c is either that lower-case letter or the equivalent upper-case letter.
+// Instead of writing c == 'x' || c == 'X' one can write lower(c) == 'x'.
+// Note that lower of non-letters can produce other non-letters.
+func lower(c byte) byte {
+	return c | ('x' - 'X')
+}
+
+// ErrRange indicates that a value is out of range for the target type.
+var ErrRange = errors.New("value out of range")
+
+// ErrSyntax indicates that a value does not have the right syntax for the target type.
+var ErrSyntax = errors.New("invalid syntax")
+
+// A NumError records a failed conversion.
+type NumError struct {
+	Func string // the failing function (ParseBool, ParseInt, ParseUint, ParseFloat)
+	Num  string // the input
+	Err  error  // the reason the conversion failed (e.g. ErrRange, ErrSyntax, etc.)
+}
+
+func (e *NumError) Error() string {
+	return "strconv." + e.Func + ": " + "parsing " + strconv.Quote(e.Num) + ": " + e.Err.Error()
+}
+
+func syntaxError(fn string, str []byte) *NumError {
+	return &NumError{fn, string(str), ErrSyntax}
+}
+
+func rangeError(fn string, str []byte) *NumError {
+	return &NumError{fn, string(str), ErrRange}
+}
+
+func baseError(fn string, str []byte, base int) *NumError {
+	return &NumError{fn, string(str), errors.New("invalid base " + strconv.Itoa(base))}
+}
+
+func bitSizeError(fn string, str []byte, bitSize int) *NumError {
+	return &NumError{fn, string(str), errors.New("invalid bit size " + strconv.Itoa(bitSize))}
+}
+
+const intSize = 32 << (^uint(0) >> 63)
+
+// IntSize is the size in bits of an int or uint value.
+const IntSize = intSize
+
+const maxUint64 = 1<<64 - 1
+
+// ParseUint is like ParseInt but for unsigned numbers.
+func ParseUint(s []byte, base int, bitSize int) (uint64, error) {
+	const fnParseUint = "ParseUint"
+
+	if len(s) == 0 || !underscoreOK(s) {
+		return 0, syntaxError(fnParseUint, s)
+	}
+
+	base0 := base == 0
+
+	s0 := s
+	switch {
+	case 2 <= base && base <= 36:
+		// valid base; nothing to do
+
+	case base == 0:
+		// Look for octal, hex prefix.
+		base = 10
+		if s[0] == '0' {
+			switch {
+			case len(s) >= 3 && lower(s[1]) == 'b':
+				base = 2
+				s = s[2:]
+			case len(s) >= 3 && lower(s[1]) == 'o':
+				base = 8
+				s = s[2:]
+			case len(s) >= 3 && lower(s[1]) == 'x':
+				base = 16
+				s = s[2:]
+			default:
+				base = 8
+				s = s[1:]
+			}
+		}
+
+	default:
+		return 0, baseError(fnParseUint, s0, base)
+	}
+
+	if bitSize == 0 {
+		bitSize = int(IntSize)
+	} else if bitSize < 0 || bitSize > 64 {
+		return 0, bitSizeError(fnParseUint, s0, bitSize)
+	}
+
+	// Cutoff is the smallest number such that cutoff*base > maxUint64.
+	// Use compile-time constants for common cases.
+	var cutoff uint64
+	switch base {
+	case 10:
+		cutoff = maxUint64/10 + 1
+	case 16:
+		cutoff = maxUint64/16 + 1
+	default:
+		cutoff = maxUint64/uint64(base) + 1
+	}
+
+	maxVal := uint64(1)<<uint(bitSize) - 1
+
+	var n uint64
+	for _, c := range s {
+		var d byte
+		switch {
+		case c == '_' && base0:
+			// underscoreOK already called
+			continue
+		case '0' <= c && c <= '9':
+			d = c - '0'
+		case 'a' <= lower(c) && lower(c) <= 'z':
+			d = lower(c) - 'a' + 10
+		default:
+			return 0, syntaxError(fnParseUint, s0)
+		}
+
+		if d >= byte(base) {
+			return 0, syntaxError(fnParseUint, s0)
+		}
+
+		if n >= cutoff {
+			// n*base overflows
+			return maxVal, rangeError(fnParseUint, s0)
+		}
+		n *= uint64(base)
+
+		n1 := n + uint64(d)
+		if n1 < n || n1 > maxVal {
+			// n+v overflows
+			return maxVal, rangeError(fnParseUint, s0)
+		}
+		n = n1
+	}
+
+	return n, nil
+}
+
+// ParseInt interprets a string s in the given base (0, 2 to 36) and
+// bit size (0 to 64) and returns the corresponding value i.
+//
+// If base == 0, the base is implied by the string's prefix:
+// base 2 for "0b", base 8 for "0" or "0o", base 16 for "0x",
+// and base 10 otherwise. Also, for base == 0 only, underscore
+// characters are permitted per the Go integer literal syntax.
+// If base is below 0, is 1, or is above 36, an error is returned.
+//
+// The bitSize argument specifies the integer type
+// that the result must fit into. Bit sizes 0, 8, 16, 32, and 64
+// correspond to int, int8, int16, int32, and int64.
+// If bitSize is below 0 or above 64, an error is returned.
+//
+// The errors that ParseInt returns have concrete type *NumError
+// and include err.Num = s. If s is empty or contains invalid
+// digits, err.Err = ErrSyntax and the returned value is 0;
+// if the value corresponding to s cannot be represented by a
+// signed integer of the given size, err.Err = ErrRange and the
+// returned value is the maximum magnitude integer of the
+// appropriate bitSize and sign.
+func ParseInt(s []byte, base int, bitSize int) (i int64, err error) {
+	const fnParseInt = "ParseInt"
+
+	if len(s) == 0 {
+		return 0, syntaxError(fnParseInt, s)
+	}
+
+	// Pick off leading sign.
+	s0 := s
+	neg := false
+	if s[0] == '+' {
+		s = s[1:]
+	} else if s[0] == '-' {
+		neg = true
+		s = s[1:]
+	}
+
+	// Convert unsigned and check range.
+	var un uint64
+	un, err = ParseUint(s, base, bitSize)
+	if err != nil && err.(*NumError).Err != ErrRange {
+		err.(*NumError).Func = fnParseInt
+		err.(*NumError).Num = string(s0)
+		return 0, err
+	}
+
+	if bitSize == 0 {
+		bitSize = int(IntSize)
+	}
+
+	cutoff := uint64(1 << uint(bitSize-1))
+	if !neg && un >= cutoff {
+		return int64(cutoff - 1), rangeError(fnParseInt, s0)
+	}
+	if neg && un > cutoff {
+		return -int64(cutoff), rangeError(fnParseInt, s0)
+	}
+	n := int64(un)
+	if neg {
+		n = -n
+	}
+	return n, nil
+}
+
+// Atoi is equivalent to ParseInt(s, 10, 0), converted to type int.
+func Atoi(s []byte) (int, error) {
+	const fnAtoi = "Atoi"
+
+	sLen := len(s)
+	if intSize == 32 && (0 < sLen && sLen < 10) ||
+		intSize == 64 && (0 < sLen && sLen < 19) {
+		// Fast path for small integers that fit int type.
+		s0 := s
+		if s[0] == '-' || s[0] == '+' {
+			s = s[1:]
+			if len(s) < 1 {
+				return 0, &NumError{fnAtoi, string(s0), ErrSyntax}
+			}
+		}
+
+		n := 0
+		for _, ch := range []byte(s) {
+			ch -= '0'
+			if ch > 9 {
+				return 0, &NumError{fnAtoi, string(s0), ErrSyntax}
+			}
+			n = n*10 + int(ch)
+		}
+		if s0[0] == '-' {
+			n = -n
+		}
+		return n, nil
+	}
+
+	// Slow path for invalid, big, or underscored integers.
+	i64, err := ParseInt(s, 10, 0)
+	if nerr, ok := err.(*NumError); ok {
+		nerr.Func = fnAtoi
+	}
+	return int(i64), err
+}
+
+// underscoreOK reports whether the underscores in s are allowed.
+// Checking them in this one function lets all the parsers skip over them simply.
+// Underscore must appear only between digits or between a base prefix and a digit.
+func underscoreOK(s []byte) bool {
+	// saw tracks the last character (class) we saw:
+	// ^ for beginning of number,
+	// 0 for a digit or base prefix,
+	// _ for an underscore,
+	// ! for none of the above.
+	saw := '^'
+	i := 0
+
+	// Optional sign.
+	if len(s) >= 1 && (s[0] == '-' || s[0] == '+') {
+		s = s[1:]
+	}
+
+	// Optional base prefix.
+	hex := false
+	if len(s) >= 2 && s[0] == '0' && (lower(s[1]) == 'b' || lower(s[1]) == 'o' || lower(s[1]) == 'x') {
+		i = 2
+		saw = '0' // base prefix counts as a digit for "underscore as digit separator"
+		hex = lower(s[1]) == 'x'
+	}
+
+	// Number proper.
+	for ; i < len(s); i++ {
+		// Digits are always okay.
+		if '0' <= s[i] && s[i] <= '9' || hex && 'a' <= lower(s[i]) && lower(s[i]) <= 'f' {
+			saw = '0'
+			continue
+		}
+		// Underscore must follow digit.
+		if s[i] == '_' {
+			if saw != '0' {
+				return false
+			}
+			saw = '_'
+			continue
+		}
+		// Underscore must also be followed by digit.
+		if saw == '_' {
+			return false
+		}
+		// Saw non-digit, non-underscore.
+		saw = '!'
+	}
+	return saw != '_'
+}
diff --git a/benchfmt/internal/bytesconv/decimal.go b/benchfmt/internal/bytesconv/decimal.go
new file mode 100644
index 0000000..31410b4
--- /dev/null
+++ b/benchfmt/internal/bytesconv/decimal.go
@@ -0,0 +1,415 @@
+// Copyright 2009 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+// Multiprecision decimal numbers.
+// For floating-point formatting only; not general purpose.
+// Only operations are assign and (binary) left/right shift.
+// Can do binary floating point in multiprecision decimal precisely
+// because 2 divides 10; cannot do decimal floating point
+// in multiprecision binary precisely.
+
+package bytesconv
+
+type decimal struct {
+	d     [800]byte // digits, big-endian representation
+	nd    int       // number of digits used
+	dp    int       // decimal point
+	neg   bool      // negative flag
+	trunc bool      // discarded nonzero digits beyond d[:nd]
+}
+
+func (a *decimal) String() string {
+	n := 10 + a.nd
+	if a.dp > 0 {
+		n += a.dp
+	}
+	if a.dp < 0 {
+		n += -a.dp
+	}
+
+	buf := make([]byte, n)
+	w := 0
+	switch {
+	case a.nd == 0:
+		return "0"
+
+	case a.dp <= 0:
+		// zeros fill space between decimal point and digits
+		buf[w] = '0'
+		w++
+		buf[w] = '.'
+		w++
+		w += digitZero(buf[w : w+-a.dp])
+		w += copy(buf[w:], a.d[0:a.nd])
+
+	case a.dp < a.nd:
+		// decimal point in middle of digits
+		w += copy(buf[w:], a.d[0:a.dp])
+		buf[w] = '.'
+		w++
+		w += copy(buf[w:], a.d[a.dp:a.nd])
+
+	default:
+		// zeros fill space between digits and decimal point
+		w += copy(buf[w:], a.d[0:a.nd])
+		w += digitZero(buf[w : w+a.dp-a.nd])
+	}
+	return string(buf[0:w])
+}
+
+func digitZero(dst []byte) int {
+	for i := range dst {
+		dst[i] = '0'
+	}
+	return len(dst)
+}
+
+// trim trailing zeros from number.
+// (They are meaningless; the decimal point is tracked
+// independent of the number of digits.)
+func trim(a *decimal) {
+	for a.nd > 0 && a.d[a.nd-1] == '0' {
+		a.nd--
+	}
+	if a.nd == 0 {
+		a.dp = 0
+	}
+}
+
+// Assign v to a.
+func (a *decimal) Assign(v uint64) {
+	var buf [24]byte
+
+	// Write reversed decimal in buf.
+	n := 0
+	for v > 0 {
+		v1 := v / 10
+		v -= 10 * v1
+		buf[n] = byte(v + '0')
+		n++
+		v = v1
+	}
+
+	// Reverse again to produce forward decimal in a.d.
+	a.nd = 0
+	for n--; n >= 0; n-- {
+		a.d[a.nd] = buf[n]
+		a.nd++
+	}
+	a.dp = a.nd
+	trim(a)
+}
+
+// Maximum shift that we can do in one pass without overflow.
+// A uint has 32 or 64 bits, and we have to be able to accommodate 9<<k.
+const uintSize = 32 << (^uint(0) >> 63)
+const maxShift = uintSize - 4
+
+// Binary shift right (/ 2) by k bits.  k <= maxShift to avoid overflow.
+func rightShift(a *decimal, k uint) {
+	r := 0 // read pointer
+	w := 0 // write pointer
+
+	// Pick up enough leading digits to cover first shift.
+	var n uint
+	for ; n>>k == 0; r++ {
+		if r >= a.nd {
+			if n == 0 {
+				// a == 0; shouldn't get here, but handle anyway.
+				a.nd = 0
+				return
+			}
+			for n>>k == 0 {
+				n = n * 10
+				r++
+			}
+			break
+		}
+		c := uint(a.d[r])
+		n = n*10 + c - '0'
+	}
+	a.dp -= r - 1
+
+	var mask uint = (1 << k) - 1
+
+	// Pick up a digit, put down a digit.
+	for ; r < a.nd; r++ {
+		c := uint(a.d[r])
+		dig := n >> k
+		n &= mask
+		a.d[w] = byte(dig + '0')
+		w++
+		n = n*10 + c - '0'
+	}
+
+	// Put down extra digits.
+	for n > 0 {
+		dig := n >> k
+		n &= mask
+		if w < len(a.d) {
+			a.d[w] = byte(dig + '0')
+			w++
+		} else if dig > 0 {
+			a.trunc = true
+		}
+		n = n * 10
+	}
+
+	a.nd = w
+	trim(a)
+}
+
+// Cheat sheet for left shift: table indexed by shift count giving
+// number of new digits that will be introduced by that shift.
+//
+// For example, leftcheats[4] = {2, "625"}.  That means that
+// if we are shifting by 4 (multiplying by 16), it will add 2 digits
+// when the string prefix is "625" through "999", and one fewer digit
+// if the string prefix is "000" through "624".
+//
+// Credit for this trick goes to Ken.
+
+type leftCheat struct {
+	delta  int    // number of new digits
+	cutoff string // minus one digit if original < a.
+}
+
+var leftcheats = []leftCheat{
+	// Leading digits of 1/2^i = 5^i.
+	// 5^23 is not an exact 64-bit floating point number,
+	// so have to use bc for the math.
+	// Go up to 60 to be large enough for 32bit and 64bit platforms.
+	/*
+		seq 60 | sed 's/^/5^/' | bc |
+		awk 'BEGIN{ print "\t{ 0, \"\" }," }
+		{
+			log2 = log(2)/log(10)
+			printf("\t{ %d, \"%s\" },\t// * %d\n",
+				int(log2*NR+1), $0, 2**NR)
+		}'
+	*/
+	{0, ""},
+	{1, "5"},                                           // * 2
+	{1, "25"},                                          // * 4
+	{1, "125"},                                         // * 8
+	{2, "625"},                                         // * 16
+	{2, "3125"},                                        // * 32
+	{2, "15625"},                                       // * 64
+	{3, "78125"},                                       // * 128
+	{3, "390625"},                                      // * 256
+	{3, "1953125"},                                     // * 512
+	{4, "9765625"},                                     // * 1024
+	{4, "48828125"},                                    // * 2048
+	{4, "244140625"},                                   // * 4096
+	{4, "1220703125"},                                  // * 8192
+	{5, "6103515625"},                                  // * 16384
+	{5, "30517578125"},                                 // * 32768
+	{5, "152587890625"},                                // * 65536
+	{6, "762939453125"},                                // * 131072
+	{6, "3814697265625"},                               // * 262144
+	{6, "19073486328125"},                              // * 524288
+	{7, "95367431640625"},                              // * 1048576
+	{7, "476837158203125"},                             // * 2097152
+	{7, "2384185791015625"},                            // * 4194304
+	{7, "11920928955078125"},                           // * 8388608
+	{8, "59604644775390625"},                           // * 16777216
+	{8, "298023223876953125"},                          // * 33554432
+	{8, "1490116119384765625"},                         // * 67108864
+	{9, "7450580596923828125"},                         // * 134217728
+	{9, "37252902984619140625"},                        // * 268435456
+	{9, "186264514923095703125"},                       // * 536870912
+	{10, "931322574615478515625"},                      // * 1073741824
+	{10, "4656612873077392578125"},                     // * 2147483648
+	{10, "23283064365386962890625"},                    // * 4294967296
+	{10, "116415321826934814453125"},                   // * 8589934592
+	{11, "582076609134674072265625"},                   // * 17179869184
+	{11, "2910383045673370361328125"},                  // * 34359738368
+	{11, "14551915228366851806640625"},                 // * 68719476736
+	{12, "72759576141834259033203125"},                 // * 137438953472
+	{12, "363797880709171295166015625"},                // * 274877906944
+	{12, "1818989403545856475830078125"},               // * 549755813888
+	{13, "9094947017729282379150390625"},               // * 1099511627776
+	{13, "45474735088646411895751953125"},              // * 2199023255552
+	{13, "227373675443232059478759765625"},             // * 4398046511104
+	{13, "1136868377216160297393798828125"},            // * 8796093022208
+	{14, "5684341886080801486968994140625"},            // * 17592186044416
+	{14, "28421709430404007434844970703125"},           // * 35184372088832
+	{14, "142108547152020037174224853515625"},          // * 70368744177664
+	{15, "710542735760100185871124267578125"},          // * 140737488355328
+	{15, "3552713678800500929355621337890625"},         // * 281474976710656
+	{15, "17763568394002504646778106689453125"},        // * 562949953421312
+	{16, "88817841970012523233890533447265625"},        // * 1125899906842624
+	{16, "444089209850062616169452667236328125"},       // * 2251799813685248
+	{16, "2220446049250313080847263336181640625"},      // * 4503599627370496
+	{16, "11102230246251565404236316680908203125"},     // * 9007199254740992
+	{17, "55511151231257827021181583404541015625"},     // * 18014398509481984
+	{17, "277555756156289135105907917022705078125"},    // * 36028797018963968
+	{17, "1387778780781445675529539585113525390625"},   // * 72057594037927936
+	{18, "6938893903907228377647697925567626953125"},   // * 144115188075855872
+	{18, "34694469519536141888238489627838134765625"},  // * 288230376151711744
+	{18, "173472347597680709441192448139190673828125"}, // * 576460752303423488
+	{19, "867361737988403547205962240695953369140625"}, // * 1152921504606846976
+}
+
+// Is the leading prefix of b lexicographically less than s?
+func prefixIsLessThan(b []byte, s string) bool {
+	for i := 0; i < len(s); i++ {
+		if i >= len(b) {
+			return true
+		}
+		if b[i] != s[i] {
+			return b[i] < s[i]
+		}
+	}
+	return false
+}
+
+// Binary shift left (* 2) by k bits.  k <= maxShift to avoid overflow.
+func leftShift(a *decimal, k uint) {
+	delta := leftcheats[k].delta
+	if prefixIsLessThan(a.d[0:a.nd], leftcheats[k].cutoff) {
+		delta--
+	}
+
+	r := a.nd         // read index
+	w := a.nd + delta // write index
+
+	// Pick up a digit, put down a digit.
+	var n uint
+	for r--; r >= 0; r-- {
+		n += (uint(a.d[r]) - '0') << k
+		quo := n / 10
+		rem := n - 10*quo
+		w--
+		if w < len(a.d) {
+			a.d[w] = byte(rem + '0')
+		} else if rem != 0 {
+			a.trunc = true
+		}
+		n = quo
+	}
+
+	// Put down extra digits.
+	for n > 0 {
+		quo := n / 10
+		rem := n - 10*quo
+		w--
+		if w < len(a.d) {
+			a.d[w] = byte(rem + '0')
+		} else if rem != 0 {
+			a.trunc = true
+		}
+		n = quo
+	}
+
+	a.nd += delta
+	if a.nd >= len(a.d) {
+		a.nd = len(a.d)
+	}
+	a.dp += delta
+	trim(a)
+}
+
+// Binary shift left (k > 0) or right (k < 0).
+func (a *decimal) Shift(k int) {
+	switch {
+	case a.nd == 0:
+		// nothing to do: a == 0
+	case k > 0:
+		for k > maxShift {
+			leftShift(a, maxShift)
+			k -= maxShift
+		}
+		leftShift(a, uint(k))
+	case k < 0:
+		for k < -maxShift {
+			rightShift(a, maxShift)
+			k += maxShift
+		}
+		rightShift(a, uint(-k))
+	}
+}
+
+// If we chop a at nd digits, should we round up?
+func shouldRoundUp(a *decimal, nd int) bool {
+	if nd < 0 || nd >= a.nd {
+		return false
+	}
+	if a.d[nd] == '5' && nd+1 == a.nd { // exactly halfway - round to even
+		// if we truncated, a little higher than what's recorded - always round up
+		if a.trunc {
+			return true
+		}
+		return nd > 0 && (a.d[nd-1]-'0')%2 != 0
+	}
+	// not halfway - digit tells all
+	return a.d[nd] >= '5'
+}
+
+// Round a to nd digits (or fewer).
+// If nd is zero, it means we're rounding
+// just to the left of the digits, as in
+// 0.09 -> 0.1.
+func (a *decimal) Round(nd int) {
+	if nd < 0 || nd >= a.nd {
+		return
+	}
+	if shouldRoundUp(a, nd) {
+		a.RoundUp(nd)
+	} else {
+		a.RoundDown(nd)
+	}
+}
+
+// Round a down to nd digits (or fewer).
+func (a *decimal) RoundDown(nd int) {
+	if nd < 0 || nd >= a.nd {
+		return
+	}
+	a.nd = nd
+	trim(a)
+}
+
+// Round a up to nd digits (or fewer).
+func (a *decimal) RoundUp(nd int) {
+	if nd < 0 || nd >= a.nd {
+		return
+	}
+
+	// round up
+	for i := nd - 1; i >= 0; i-- {
+		c := a.d[i]
+		if c < '9' { // can stop after this digit
+			a.d[i]++
+			a.nd = i + 1
+			return
+		}
+	}
+
+	// Number is all 9s.
+	// Change to single 1 with adjusted decimal point.
+	a.d[0] = '1'
+	a.nd = 1
+	a.dp++
+}
+
+// Extract integer part, rounded appropriately.
+// No guarantees about overflow.
+func (a *decimal) RoundedInteger() uint64 {
+	if a.dp > 20 {
+		return 0xFFFFFFFFFFFFFFFF
+	}
+	var i int
+	n := uint64(0)
+	for i = 0; i < a.dp && i < a.nd; i++ {
+		n = n*10 + uint64(a.d[i]-'0')
+	}
+	for ; i < a.dp; i++ {
+		n *= 10
+	}
+	if shouldRoundUp(a, a.dp) {
+		n++
+	}
+	return n
+}
diff --git a/benchfmt/internal/bytesconv/ftoa.go b/benchfmt/internal/bytesconv/ftoa.go
new file mode 100644
index 0000000..199410d
--- /dev/null
+++ b/benchfmt/internal/bytesconv/ftoa.go
@@ -0,0 +1,21 @@
+// Copyright 2009 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+// Binary to decimal floating point conversion.
+// Algorithm:
+//   1) store mantissa in multiprecision decimal
+//   2) shift decimal by exponent
+//   3) read digits out & format
+
+package bytesconv
+
+// TODO: move elsewhere?
+type floatInfo struct {
+	mantbits uint
+	expbits  uint
+	bias     int
+}
+
+var float32info = floatInfo{23, 8, -127}
+var float64info = floatInfo{52, 11, -1023}
diff --git a/benchfmt/reader.go b/benchfmt/reader.go
new file mode 100644
index 0000000..91464fb
--- /dev/null
+++ b/benchfmt/reader.go
@@ -0,0 +1,388 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"bufio"
+	"bytes"
+	"fmt"
+	"io"
+	"math"
+	"unicode"
+	"unicode/utf8"
+
+	"golang.org/x/perf/benchfmt/internal/bytesconv"
+	"golang.org/x/perf/benchunit"
+)
+
+// A Reader reads the Go benchmark format.
+//
+// Its API is modeled on bufio.Scanner. To minimize allocation, a
+// Reader retains ownership of everything it creates; a caller should
+// copy anything it needs to retain.
+//
+// To construct a new Reader, either call NewReader, or call Reset on
+// a zeroed Reader.
+type Reader struct {
+	s   *bufio.Scanner
+	err error // current I/O error
+
+	result    Result
+	resultErr *SyntaxError
+
+	interns map[string]string
+}
+
+// A SyntaxError represents a syntax error on a particular line of a
+// benchmark results file.
+type SyntaxError struct {
+	FileName string
+	Line     int
+	Msg      string
+}
+
+func (e *SyntaxError) Pos() (fileName string, line int) {
+	return e.FileName, e.Line
+}
+
+func (s *SyntaxError) Error() string {
+	return fmt.Sprintf("%s:%d: %s", s.FileName, s.Line, s.Msg)
+}
+
+var noResult = &SyntaxError{"", 0, "Reader.Scan has not been called"}
+
+// NewReader constructs a reader to parse the Go benchmark format from r.
+// fileName is used in error messages; it is purely diagnostic.
+func NewReader(r io.Reader, fileName string) *Reader {
+	reader := new(Reader)
+	reader.Reset(r, fileName)
+	return reader
+}
+
+// newSyntaxError returns a *SyntaxError at the Reader's current position.
+func (r *Reader) newSyntaxError(msg string) *SyntaxError {
+	return &SyntaxError{r.result.fileName, r.result.line, msg}
+}
+
+// Reset resets the reader to begin reading from a new input.
+// It also resets all accumulated configuration values.
+//
+// initConfig is an alternating sequence of keys and values.
+// Reset will install these as the initial internal configuration
+// before any results are read from the input file.
+func (r *Reader) Reset(ior io.Reader, fileName string, initConfig ...string) {
+	r.s = bufio.NewScanner(ior)
+	if fileName == "" {
+		fileName = "<unknown>"
+	}
+	r.err = nil
+	r.resultErr = noResult
+	if r.interns == nil {
+		r.interns = make(map[string]string)
+	}
+
+	// Wipe the Result.
+	r.result.Config = r.result.Config[:0]
+	r.result.Name = r.result.Name[:0]
+	r.result.Iters = 0
+	r.result.Values = r.result.Values[:0]
+	for k := range r.result.configPos {
+		delete(r.result.configPos, k)
+	}
+	r.result.fileName = fileName
+	r.result.line = 0
+
+	// Set up initial configuration.
+	if len(initConfig)%2 != 0 {
+		panic("len(initConfig) must be a multiple of 2")
+	}
+	for i := 0; i < len(initConfig); i += 2 {
+		r.result.SetConfig(initConfig[i], initConfig[i+1])
+	}
+}
+
+var benchmarkPrefix = []byte("Benchmark")
+
+// Scan advances the reader to the next result and reports whether a
+// result was read.
+// The caller should use the Result method to get the result.
+// If Scan reaches EOF or an I/O error occurs, it returns false,
+// in which case the caller should use the Err method to check for errors.
+func (r *Reader) Scan() bool {
+	if r.err != nil {
+		return false
+	}
+
+	for r.s.Scan() {
+		r.result.line++
+		// We do everything in byte buffers to avoid allocation.
+		line := r.s.Bytes()
+		// Most lines are benchmark lines, and we can check
+		// for that very quickly, so start with that.
+		if bytes.HasPrefix(line, benchmarkPrefix) {
+			// At this point we commit to this being a
+			// benchmark line. If it's malformed, we treat
+			// that as an error.
+			r.resultErr = r.parseBenchmarkLine(line)
+			return true
+		}
+		if key, val, ok := parseKeyValueLine(line); ok {
+			// Intern key, since there tend to be few
+			// unique keys.
+			keyStr := r.intern(key)
+			if len(val) == 0 {
+				r.result.deleteConfig(keyStr)
+			} else {
+				cfg := r.result.ensureConfig(keyStr, true)
+				cfg.Value = append(cfg.Value[:0], val...)
+			}
+			continue
+		}
+		// Ignore the line.
+	}
+
+	if err := r.s.Err(); err != nil {
+		r.err = fmt.Errorf("%s:%d: %w", r.result.fileName, r.result.line, err)
+		return false
+	}
+	r.err = nil
+	return false
+}
+
+// parseKeyValueLine attempts to parse line as a key: val pair,
+// with ok reporting whether the line could be parsed.
+func parseKeyValueLine(line []byte) (key, val []byte, ok bool) {
+	for i := 0; i < len(line); {
+		r, n := utf8.DecodeRune(line[i:])
+		// key begins with a lower case character ...
+		if i == 0 && !unicode.IsLower(r) {
+			return
+		}
+		// and contains no space characters nor upper case
+		// characters.
+		if unicode.IsSpace(r) || unicode.IsUpper(r) {
+			return
+		}
+		if i > 0 && r == ':' {
+			key, val = line[:i], line[i+1:]
+			break
+		}
+
+		i += n
+	}
+	if len(key) == 0 {
+		return
+	}
+	// Value can be omitted entirely, in which case the colon must
+	// still be present, but need not be followed by a space.
+	if len(val) == 0 {
+		ok = true
+		return
+	}
+	// One or more ASCII space or tab characters separate "key:"
+	// from "value."
+	for len(val) > 0 && (val[0] == ' ' || val[0] == '\t') {
+		val = val[1:]
+		ok = true
+	}
+	return
+}
+
+// parseBenchmarkLine parses line as a benchmark result and updates r.result.
+// The caller must have already checked that line begins with "Benchmark".
+func (r *Reader) parseBenchmarkLine(line []byte) *SyntaxError {
+	var f []byte
+	var err error
+
+	// Skip "Benchmark"
+	line = line[len("Benchmark"):]
+
+	// Read the name.
+	r.result.Name, line = splitField(line)
+
+	// Read the iteration count.
+	f, line = splitField(line)
+	if len(f) == 0 {
+		return r.newSyntaxError("missing iteration count")
+	}
+	r.result.Iters, err = bytesconv.Atoi(f)
+	switch err := err.(type) {
+	case nil:
+		// ok
+	case *bytesconv.NumError:
+		return r.newSyntaxError("parsing iteration count: " + err.Err.Error())
+	default:
+		return r.newSyntaxError(err.Error())
+	}
+
+	// Read value/unit pairs.
+	r.result.Values = r.result.Values[:0]
+	for {
+		f, line = splitField(line)
+		if len(f) == 0 {
+			if len(r.result.Values) > 0 {
+				break
+			}
+			return r.newSyntaxError("missing measurements")
+		}
+		val, err := atof(f)
+		switch err := err.(type) {
+		case nil:
+			// ok
+		case *bytesconv.NumError:
+			return r.newSyntaxError("parsing measurement: " + err.Err.Error())
+		default:
+			return r.newSyntaxError(err.Error())
+		}
+		f, line = splitField(line)
+		if len(f) == 0 {
+			return r.newSyntaxError("missing units")
+		}
+		unit := r.intern(f)
+
+		// Tidy the value.
+		tidyVal, tidyUnit := benchunit.Tidy(val, unit)
+		var v Value
+		if tidyVal == val {
+			v = Value{Value: val, Unit: unit}
+		} else {
+			v = Value{Value: tidyVal, Unit: tidyUnit, OrigValue: val, OrigUnit: unit}
+		}
+
+		r.result.Values = append(r.result.Values, v)
+	}
+
+	return nil
+}
+
+func (r *Reader) intern(x []byte) string {
+	const maxIntern = 1024
+	if s, ok := r.interns[string(x)]; ok {
+		return s
+	}
+	if len(r.interns) >= maxIntern {
+		// Evict a random item from the interns table.
+		// Map iteration order is unspecified, but both
+		// the gc and libgo runtimes both provide random
+		// iteration order. The choice of item to evict doesn't
+		// affect correctness, so we do the simple thing.
+		for k := range r.interns {
+			delete(r.interns, k)
+			break
+		}
+	}
+	s := string(x)
+	r.interns[s] = s
+	return s
+}
+
+// A Record is a single record read from a benchmark file. It may be a
+// *Result or a *SyntaxError.
+type Record interface {
+	// Pos returns the position of this record as a file name and a
+	// 1-based line number within that file. If this record was not read
+	// from a file, it returns "", 0.
+	Pos() (fileName string, line int)
+}
+
+var _ Record = (*Result)(nil)
+var _ Record = (*SyntaxError)(nil)
+
+// Result returns the record that was just read by Scan. This is either
+// a *Result or a *SyntaxError indicating a parse error.
+// It may return more types in the future.
+//
+// Parse errors are non-fatal, so the caller can continue to call
+// Scan.
+//
+// If this returns a *Result, the caller should not retain the Result,
+// as it will be overwritten by the next call to Scan.
+func (r *Reader) Result() Record {
+	if r.resultErr != nil {
+		return r.resultErr
+	}
+	return &r.result
+}
+
+// Err returns the first non-EOF I/O error that was encountered by the
+// Reader.
+func (r *Reader) Err() error {
+	return r.err
+}
+
+// Parsing helpers.
+//
+// These are designed to leverage common fast paths. The ASCII fast
+// path is especially important, and more than doubles the performance
+// of the parser.
+
+// atof is a wrapper for bytesconv.ParseFloat that optimizes for
+// numbers that are usually integers.
+func atof(x []byte) (float64, error) {
+	// Try parsing as an integer.
+	var val int64
+	for _, ch := range x {
+		digit := ch - '0'
+		if digit >= 10 {
+			goto fail
+		}
+		if val > (math.MaxInt64-10)/10 {
+			goto fail // avoid int64 overflow
+		}
+		val = (val * 10) + int64(digit)
+	}
+	return float64(val), nil
+
+fail:
+	// The fast path failed. Parse it as a float.
+	return bytesconv.ParseFloat(x, 64)
+}
+
+const isSpace uint64 = 1<<'\t' | 1<<'\n' | 1<<'\v' | 1<<'\f' | 1<<'\r' | 1<<' '
+
+// splitField consumes and returns non-whitespace in x as field,
+// consumes whitespace following the field, and then returns the
+// remaining bytes of x.
+func splitField(x []byte) (field, rest []byte) {
+	// Collect non-whitespace into field.
+	var i int
+	for i = 0; i < len(x); {
+		if x[i] < utf8.RuneSelf {
+			// Fast path for ASCII
+			if (isSpace>>x[i])&1 != 0 {
+				rest = x[i+1:]
+				break
+
+			}
+			i++
+		} else {
+			// Slow path for Unicode
+			r, n := utf8.DecodeRune(x[i:])
+			if unicode.IsSpace(r) {
+				rest = x[i+n:]
+				break
+			}
+			i += n
+		}
+	}
+	field = x[:i]
+
+	// Strip whitespace from rest.
+	for len(rest) > 0 {
+		if rest[0] < utf8.RuneSelf {
+			if (isSpace>>rest[0])&1 == 0 {
+				break
+			}
+			rest = rest[1:]
+		} else {
+			r, n := utf8.DecodeRune(rest)
+			if !unicode.IsSpace(r) {
+				break
+			}
+			rest = rest[n:]
+		}
+	}
+	return
+}
diff --git a/benchfmt/reader_test.go b/benchfmt/reader_test.go
new file mode 100644
index 0000000..8ea6243
--- /dev/null
+++ b/benchfmt/reader_test.go
@@ -0,0 +1,299 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"bytes"
+	"fmt"
+	"io"
+	"io/ioutil"
+	"os"
+	"path/filepath"
+	"reflect"
+	"strings"
+	"testing"
+	"time"
+)
+
+func parseAll(t *testing.T, data string, setup ...func(r *Reader, sr io.Reader)) []Record {
+	sr := strings.NewReader(data)
+	r := NewReader(sr, "test")
+	for _, f := range setup {
+		f(r, sr)
+	}
+	var out []Record
+	for r.Scan() {
+		switch rec := r.Result(); rec := rec.(type) {
+		case *Result:
+			res := rec.Clone()
+			// Wipe position information for comparisons.
+			res.fileName = ""
+			res.line = 0
+			out = append(out, res)
+		case *SyntaxError:
+			out = append(out, rec)
+		default:
+			t.Fatalf("unexpected result type %T", rec)
+		}
+	}
+	if err := r.Err(); err != nil {
+		t.Fatal("parsing failed: ", err)
+	}
+	return out
+}
+
+func printRecord(w io.Writer, r Record) {
+	switch r := r.(type) {
+	case *Result:
+		for _, fc := range r.Config {
+			fmt.Fprintf(w, "{%s: %s} ", fc.Key, fc.Value)
+		}
+		fmt.Fprintf(w, "%s %d", r.Name.Full(), r.Iters)
+		for _, val := range r.Values {
+			fmt.Fprintf(w, " %v %s", val.Value, val.Unit)
+		}
+		fmt.Fprintf(w, "\n")
+	case *SyntaxError:
+		fmt.Fprintf(w, "SyntaxError: %s\n", r)
+	default:
+		panic(fmt.Sprintf("unknown record type %T", r))
+	}
+}
+
+type resultBuilder struct {
+	res *Result
+}
+
+func r(fullName string, iters int) *resultBuilder {
+	return &resultBuilder{
+		&Result{
+			Config: []Config{},
+			Name:   Name(fullName),
+			Iters:  iters,
+		},
+	}
+}
+
+func (b *resultBuilder) config(keyVals ...string) *resultBuilder {
+	for i := 0; i < len(keyVals); i += 2 {
+		key, val := keyVals[i], keyVals[i+1]
+		file := true
+		if val[0] == '*' {
+			file = false
+			val = val[1:]
+		}
+		b.res.Config = append(b.res.Config, Config{key, []byte(val), file})
+	}
+	return b
+}
+
+func (b *resultBuilder) v(value float64, unit string) *resultBuilder {
+	var v Value
+	if unit == "ns/op" {
+		v = Value{Value: value * 1e-9, Unit: "sec/op", OrigValue: value, OrigUnit: unit}
+	} else {
+		v = Value{Value: value, Unit: unit}
+	}
+	b.res.Values = append(b.res.Values, v)
+	return b
+}
+
+func compareRecords(t *testing.T, got, want []Record) {
+	t.Helper()
+	var diff bytes.Buffer
+	for i := 0; i < len(got) || i < len(want); i++ {
+		if i >= len(got) {
+			fmt.Fprintf(&diff, "[%d] got: none, want:\n", i)
+			printRecord(&diff, want[i])
+		} else if i >= len(want) {
+			fmt.Fprintf(&diff, "[%d] want: none, got:\n", i)
+			printRecord(&diff, got[i])
+		} else if !reflect.DeepEqual(got[i], want[i]) {
+			fmt.Fprintf(&diff, "[%d] got:\n", i)
+			printRecord(&diff, got[i])
+			fmt.Fprintf(&diff, "[%d] want:\n", i)
+			printRecord(&diff, want[i])
+		}
+	}
+	if diff.Len() != 0 {
+		t.Error(diff.String())
+	}
+}
+
+func TestReader(t *testing.T) {
+	type testCase struct {
+		name, input string
+		want        []Record
+	}
+	for _, test := range []testCase{
+		{
+			"basic",
+			`key: value
+BenchmarkOne 100 1 ns/op 2 B/op
+BenchmarkTwo 300 4.5 ns/op
+`,
+			[]Record{
+				r("One", 100).
+					config("key", "value").
+					v(1, "ns/op").v(2, "B/op").res,
+				r("Two", 300).
+					config("key", "value").
+					v(4.5, "ns/op").res,
+			},
+		},
+		{
+			"weird",
+			`
+BenchmarkSpaces    1   1   ns/op
+BenchmarkHugeVal 1 9999999999999999999999999999999 ns/op
+BenchmarkEmSpace  1  1  ns/op
+`,
+			[]Record{
+				r("Spaces", 1).
+					v(1, "ns/op").res,
+				r("HugeVal", 1).
+					v(9999999999999999999999999999999, "ns/op").res,
+				r("EmSpace", 1).
+					v(1, "ns/op").res,
+			},
+		},
+		{
+			"basic file keys",
+			`key1:    	 value
+: not a key
+ab:not a key
+a b: also not a key
+key2: value
+
+BenchmarkOne 100 1 ns/op
+`,
+			[]Record{
+				r("One", 100).
+					config("key1", "value", "key2", "value").
+					v(1, "ns/op").res,
+			},
+		},
+		{
+			"bad lines",
+			`not a benchmark
+BenchmarkMissingIter
+BenchmarkBadIter abc
+BenchmarkHugeIter 9999999999999999999999999999999
+BenchmarkMissingVal 100
+BenchmarkBadVal 100 abc
+BenchmarkMissingUnit 100 1
+BenchmarkMissingUnit2 100 1 ns/op 2
+also not a benchmark
+`,
+			[]Record{
+				&SyntaxError{"test", 2, "missing iteration count"},
+				&SyntaxError{"test", 3, "parsing iteration count: invalid syntax"},
+				&SyntaxError{"test", 4, "parsing iteration count: value out of range"},
+				&SyntaxError{"test", 5, "missing measurements"},
+				&SyntaxError{"test", 6, "parsing measurement: invalid syntax"},
+				&SyntaxError{"test", 7, "missing units"},
+				&SyntaxError{"test", 8, "missing units"},
+			},
+		},
+		{
+			"remove existing label",
+			`key: value
+key:
+BenchmarkOne 100 1 ns/op
+`,
+			[]Record{
+				r("One", 100).
+					v(1, "ns/op").res,
+			},
+		},
+		{
+			"overwrite exiting label",
+			`key1: first
+key2: second
+key1: third
+BenchmarkOne 100 1 ns/op
+`,
+			[]Record{
+				r("One", 100).
+					config("key1", "third", "key2", "second").
+					v(1, "ns/op").res,
+			},
+		},
+	} {
+		t.Run(test.name, func(t *testing.T) {
+			got := parseAll(t, test.input)
+			compareRecords(t, got, test.want)
+		})
+	}
+}
+
+func TestReaderInternalConfig(t *testing.T) {
+	got := parseAll(t, `
+# Test initial internal config
+Benchmark1 100 1 ns/op
+# Overwrite internal config with file config
+key1: file1
+key3: file3
+Benchmark2 100 1 ns/op
+# Delete internal config, check that file config is right
+key2:
+Benchmark3 100 1 ns/op
+	`, func(r *Reader, sr io.Reader) {
+		r.Reset(sr, "test", "key1", "internal1", "key2", "internal2")
+	})
+	want := []Record{
+		r("1", 100).v(1, "ns/op").config("key1", "*internal1", "key2", "*internal2").res,
+		r("2", 100).v(1, "ns/op").config("key1", "file1", "key2", "*internal2", "key3", "file3").res,
+		r("3", 100).v(1, "ns/op").config("key1", "file1", "key3", "file3").res,
+	}
+	compareRecords(t, got, want)
+}
+
+func BenchmarkReader(b *testing.B) {
+	path := "testdata/bent"
+	fileInfos, err := ioutil.ReadDir(path)
+	if err != nil {
+		b.Fatal("reading test data directory: ", err)
+	}
+
+	var files []*os.File
+	for _, info := range fileInfos {
+		f, err := os.Open(filepath.Join(path, info.Name()))
+		if err != nil {
+			b.Fatal(err)
+		}
+		defer f.Close()
+		files = append(files, f)
+	}
+
+	b.ResetTimer()
+
+	start := time.Now()
+	var n int
+	for i := 0; i < b.N; i++ {
+		r := new(Reader)
+		for _, f := range files {
+			if _, err := f.Seek(0, 0); err != nil {
+				b.Fatal("seeking to 0: ", err)
+			}
+			r.Reset(f, f.Name())
+			for r.Scan() {
+				n++
+				if err, ok := r.Result().(error); ok {
+					b.Fatal("malformed record: ", err)
+				}
+			}
+			if err := r.Err(); err != nil {
+				b.Fatal(err)
+			}
+		}
+	}
+	dur := time.Since(start)
+	b.Logf("read %d records", n)
+
+	b.StopTimer()
+	b.ReportMetric(float64(n/b.N), "records/op")
+	b.ReportMetric(float64(n)*float64(time.Second)/float64(dur), "records/sec")
+}
diff --git a/benchfmt/result.go b/benchfmt/result.go
new file mode 100644
index 0000000..65a5f11
--- /dev/null
+++ b/benchfmt/result.go
@@ -0,0 +1,281 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+// Package benchfmt provides a high-performance reader and writer for
+// the Go benchmark format.
+//
+// This implements the format documented at
+// https://golang.org/design/14313-benchmark-format.
+//
+// The reader and writer are structured as streaming operations to
+// allow incremental processing and avoid dictating a data model. This
+// allows consumers of these APIs to provide their own data model best
+// suited to its needs. The reader also performs in-place updates to
+// reduce allocation, enabling it to parse millions of benchmark
+// results per second on a typical laptop.
+//
+// This package is designed to be used with the higher-level packages
+// benchunit, benchmath, and benchproc.
+package benchfmt
+
+import "bytes"
+
+// A Result is a single benchmark result and all of its measurements.
+//
+// Results are designed to be mutated in place and reused to reduce
+// allocation.
+type Result struct {
+	// Config is the set of key/value configuration pairs for this result,
+	// including file and internal configuration. This does not include
+	// sub-name configuration.
+	//
+	// This slice is mutable, as are the values in the slice.
+	// Result internally maintains an index of the keys of this slice,
+	// so callers must use SetConfig to add or delete keys,
+	// but may modify values in place. There is one exception to this:
+	// for convenience, new Results can be initialized directly,
+	// e.g., using a struct literal.
+	//
+	// SetConfig appends new keys to this slice and updates existing ones
+	// in place. To delete a key, it swaps the deleted key with
+	// the final slice element. This way, the order of these keys is
+	// deterministic.
+	Config []Config
+
+	// Name is the full name of this benchmark, including all
+	// sub-benchmark configuration.
+	Name Name
+
+	// Iters is the number of iterations this benchmark's results
+	// were averaged over.
+	Iters int
+
+	// Values is this benchmark's measurements and their units.
+	Values []Value
+
+	// configPos maps from Config.Key to index in Config. This
+	// may be nil, which indicates the index needs to be
+	// constructed.
+	configPos map[string]int
+
+	// fileName and line record where this Record was read from.
+	fileName string
+	line     int
+}
+
+// A Config is a single key/value configuration pair.
+// This can be a file configuration, which was read directly from
+// a benchmark results file; or an "internal" configuration that was
+// supplied by tooling.
+type Config struct {
+	Key   string
+	Value []byte
+	File  bool // Set if this is a file configuration key, otherwise internal
+}
+
+// Note: I tried many approaches to Config. Using two strings is nice
+// for the API, but forces a lot of allocation in extractors (since
+// they either need to convert strings to []byte or vice-versa). Using
+// a []byte for Value makes it slightly harder to use, but is good for
+// reusing space efficiently (Value is likely to have more distinct
+// values than Key) and lets all extractors work in terms of []byte
+// views. Making Key a []byte is basically all downside.
+
+// A Value is a single value/unit measurement from a benchmark result.
+//
+// Values should be tidied to use base units like "sec" and "B" when
+// constructed. Reader ensures this.
+type Value struct {
+	Value float64
+	Unit  string
+
+	// OrigValue and OrigUnit, if non-zero, give the original,
+	// untidied value and unit, typically as read from the
+	// original input. OrigUnit may be "", indicating that the
+	// value wasn't transformed.
+	OrigValue float64
+	OrigUnit  string
+}
+
+// Pos returns the file name and line number of a Result that was read
+// by a Reader. For Results that were not read from a file, it returns
+// "", 0.
+func (r *Result) Pos() (fileName string, line int) {
+	return r.fileName, r.line
+}
+
+// Clone makes a copy of Result that shares no state with r.
+func (r *Result) Clone() *Result {
+	r2 := &Result{
+		Config:   make([]Config, len(r.Config)),
+		Name:     append([]byte(nil), r.Name...),
+		Iters:    r.Iters,
+		Values:   append([]Value(nil), r.Values...),
+		fileName: r.fileName,
+		line:     r.line,
+	}
+	for i, cfg := range r.Config {
+		r2.Config[i].Key = cfg.Key
+		r2.Config[i].Value = append([]byte(nil), cfg.Value...)
+		r2.Config[i].File = cfg.File
+	}
+	return r2
+}
+
+// SetConfig sets configuration key to value, overriding or
+// adding the configuration as necessary, and marks it internal.
+// If value is "", SetConfig deletes key.
+func (r *Result) SetConfig(key, value string) {
+	if value == "" {
+		r.deleteConfig(key)
+	} else {
+		cfg := r.ensureConfig(key, false)
+		cfg.Value = append(cfg.Value[:0], value...)
+	}
+}
+
+// ensureConfig returns the Config for key, creating it if necessary.
+//
+// This sets Key and File of the returned Config, but it's up to the caller to
+// set Value. We take this approach because some callers have strings and others
+// have []byte, so leaving this to the caller avoids allocation in one of these
+// cases.
+func (r *Result) ensureConfig(key string, file bool) *Config {
+	pos, ok := r.ConfigIndex(key)
+	if ok {
+		cfg := &r.Config[pos]
+		cfg.File = file
+		return cfg
+	}
+	// Add key. Reuse old space if possible.
+	r.configPos[key] = len(r.Config)
+	if len(r.Config) < cap(r.Config) {
+		r.Config = r.Config[:len(r.Config)+1]
+		cfg := &r.Config[len(r.Config)-1]
+		cfg.Key = key
+		cfg.File = file
+		return cfg
+	}
+	r.Config = append(r.Config, Config{key, nil, file})
+	return &r.Config[len(r.Config)-1]
+}
+
+func (r *Result) deleteConfig(key string) {
+	pos, ok := r.ConfigIndex(key)
+	if !ok {
+		return
+	}
+	// Delete key.
+	cfg := &r.Config[pos]
+	cfg2 := &r.Config[len(r.Config)-1]
+	*cfg, *cfg2 = *cfg2, *cfg
+	r.configPos[cfg.Key] = pos
+	r.Config = r.Config[:len(r.Config)-1]
+	delete(r.configPos, key)
+}
+
+// GetConfig returns the value of a configuration key,
+// or "" if not present.
+func (r *Result) GetConfig(key string) string {
+	pos, ok := r.ConfigIndex(key)
+	if !ok {
+		return ""
+	}
+	return string(r.Config[pos].Value)
+}
+
+// ConfigIndex returns the index in r.Config of key.
+func (r *Result) ConfigIndex(key string) (pos int, ok bool) {
+	if r.configPos == nil {
+		// This is a fresh Result. Construct the index.
+		r.configPos = make(map[string]int)
+		for i, cfg := range r.Config {
+			r.configPos[cfg.Key] = i
+		}
+	}
+
+	pos, ok = r.configPos[key]
+	return
+}
+
+// Value returns the measurement for the given unit.
+func (r *Result) Value(unit string) (float64, bool) {
+	for _, v := range r.Values {
+		if v.Unit == unit {
+			return v.Value, true
+		}
+	}
+	return 0, false
+}
+
+// A Name is a full benchmark name, including all sub-benchmark
+// configuration.
+type Name []byte
+
+// String returns the full benchmark name as a string.
+func (n Name) String() string {
+	return string(n)
+}
+
+// Full returns the full benchmark name as a []byte. This is simply
+// the value of n, but helps with code readability.
+func (n Name) Full() []byte {
+	return n
+}
+
+// Base returns the base part of a full benchmark name, without any
+// configuration keys or GOMAXPROCS.
+func (n Name) Base() []byte {
+	slash := bytes.IndexByte(n.Full(), '/')
+	if slash >= 0 {
+		return n[:slash]
+	}
+	base, _ := n.splitGomaxprocs()
+	return base
+}
+
+// Parts splits a benchmark name into the base name and sub-benchmark
+// configuration parts. Each sub-benchmark configuration part is one
+// of three forms:
+//
+// 1. "/<key>=<value>" indicates a key/value configuration pair.
+//
+// 2. "/<string>" indicates a positional configuration pair.
+//
+// 3. "-<gomaxprocs>" indicates the GOMAXPROCS of this benchmark. This
+// component can only appear last.
+//
+// Concatenating the base name and the configuration parts
+// reconstructs the full name.
+func (n Name) Parts() (baseName []byte, parts [][]byte) {
+	// First pull off any GOMAXPROCS.
+	buf, gomaxprocs := n.splitGomaxprocs()
+	// Split the remaining parts.
+	var nameParts [][]byte
+	prev := 0
+	for i, c := range buf {
+		if c == '/' {
+			nameParts = append(nameParts, buf[prev:i])
+			prev = i
+		}
+	}
+	nameParts = append(nameParts, buf[prev:])
+	if gomaxprocs != nil {
+		nameParts = append(nameParts, gomaxprocs)
+	}
+	return nameParts[0], nameParts[1:]
+}
+
+func (n Name) splitGomaxprocs() (prefix, gomaxprocs []byte) {
+	for i := len(n) - 1; i >= 0; i-- {
+		if n[i] == '-' && i < len(n)-1 {
+			return n[:i], n[i:]
+		}
+		if !('0' <= n[i] && n[i] <= '9') {
+			// Not a digit.
+			break
+		}
+	}
+	return n, nil
+}
diff --git a/benchfmt/result_test.go b/benchfmt/result_test.go
new file mode 100644
index 0000000..d8fd692
--- /dev/null
+++ b/benchfmt/result_test.go
@@ -0,0 +1,161 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"fmt"
+	"reflect"
+	"testing"
+)
+
+func TestResultSetConfig(t *testing.T) {
+	r := &Result{}
+	check := func(want ...string) {
+		t.Helper()
+		var kv []string
+		for _, cfg := range r.Config {
+			kv = append(kv, fmt.Sprintf("%s: %s", cfg.Key, cfg.Value))
+		}
+		if !reflect.DeepEqual(want, kv) {
+			t.Errorf("want %q, got %q", want, kv)
+		}
+
+		// Check the index.
+		for i, cfg := range r.Config {
+			gotI, ok := r.ConfigIndex(string(cfg.Key))
+			if !ok {
+				t.Errorf("key %s missing from index", cfg.Key)
+			} else if i != gotI {
+				t.Errorf("key %s index: want %d, got %d", cfg.Key, i, gotI)
+			}
+		}
+		if len(r.Config) != len(r.configPos) {
+			t.Errorf("index size mismatch: %d file configs, %d index length", len(r.Config), len(r.configPos))
+		}
+	}
+
+	// Basic key additions.
+	check()
+	r.SetConfig("a", "b")
+	check("a: b")
+	r.SetConfig("x", "y")
+	check("a: b", "x: y")
+	r.SetConfig("z", "w")
+	check("a: b", "x: y", "z: w")
+
+	// Update value.
+	r.SetConfig("x", "z")
+	check("a: b", "x: z", "z: w")
+
+	// Delete key.
+	r.SetConfig("a", "") // Check swapping
+	check("z: w", "x: z")
+	r.SetConfig("x", "") // Last key
+	check("z: w")
+	r.SetConfig("c", "") // Non-existent
+	check("z: w")
+
+	// Add key after deletion.
+	r.SetConfig("c", "d")
+	check("z: w", "c: d")
+}
+
+func TestResultGetConfig(t *testing.T) {
+	r := &Result{}
+	check := func(key, want string) {
+		t.Helper()
+		got := r.GetConfig(key)
+		if want != got {
+			t.Errorf("for key %s: want %s, got %s", key, want, got)
+		}
+	}
+	check("x", "")
+	r.SetConfig("x", "y")
+	check("x", "y")
+	r.SetConfig("a", "b")
+	check("a", "b")
+	check("x", "y")
+	r.SetConfig("a", "")
+	check("a", "")
+	check("x", "y")
+
+	// Test a literal.
+	r = &Result{
+		Config: []Config{{Key: "a", Value: []byte("b")}},
+	}
+	check("a", "b")
+	check("x", "")
+}
+
+func TestResultValue(t *testing.T) {
+	r := &Result{
+		Values: []Value{{42, "ns/op", 42e-9, "sec/op"}, {24, "B/op", 0, ""}},
+	}
+	check := func(unit string, want float64) {
+		t.Helper()
+		got, ok := r.Value(unit)
+		if !ok {
+			t.Errorf("missing unit %s", unit)
+		} else if want != got {
+			t.Errorf("for unit %s: want %v, got %v", unit, want, got)
+		}
+	}
+	check("ns/op", 42)
+	check("B/op", 24)
+	_, ok := r.Value("B/sec")
+	if ok {
+		t.Errorf("unexpectedly found unit %s", "B/sec")
+	}
+}
+
+func TestBaseName(t *testing.T) {
+	check := func(fullName string, want string) {
+		t.Helper()
+		got := string(Name(fullName).Base())
+		if got != want {
+			t.Errorf("BaseName(%q) = %q, want %q", fullName, got, want)
+		}
+	}
+	check("Test", "Test")
+	check("Test-42", "Test")
+	check("Test/foo", "Test")
+	check("Test/foo-42", "Test")
+}
+
+func TestNameParts(t *testing.T) {
+	check := func(fullName string, base string, parts ...string) {
+		t.Helper()
+		got, gotParts := Name(fullName).Parts()
+		fail := string(got) != string(base)
+		if len(gotParts) != len(parts) {
+			fail = true
+		} else {
+			for i := range parts {
+				if parts[i] != string(gotParts[i]) {
+					fail = true
+				}
+			}
+		}
+		if fail {
+			t.Errorf("FullName(%q) = %q, %q, want %q, %q", fullName, got, gotParts, base, parts)
+		}
+	}
+	check("Test", "Test")
+	// Gomaxprocs
+	check("Test-42", "Test", "-42")
+	// Subtests
+	check("Test/foo", "Test", "/foo")
+	check("Test/foo=42/bar=24", "Test", "/foo=42", "/bar=24")
+	// Both
+	check("Test/foo=123-42", "Test", "/foo=123", "-42")
+	// Looks like gomaxprocs, but isn't
+	check("Test/foo-bar", "Test", "/foo-bar")
+	check("Test/foo-1/bar", "Test", "/foo-1", "/bar")
+	// Trailing slash
+	check("Test/foo/", "Test", "/foo", "/")
+	// Empty name
+	check("", "")
+	check("/a/b", "", "/a", "/b")
+}
diff --git a/benchfmt/testdata/bent/20200101T024818.BaseNl.benchdwarf b/benchfmt/testdata/bent/20200101T024818.BaseNl.benchdwarf
new file mode 100644
index 0000000..4854072
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.BaseNl.benchdwarf
@@ -0,0 +1,306 @@
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-25317
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-25317
+tmp stmt args quality wc =  2 tmp-bench-dwarf-25317
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-25317
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.897963 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9955 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-28452
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-28452
+tmp stmt args quality wc =  2 tmp-bench-dwarf-28452
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-28452
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.922326 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9936 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-38943
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-38943
+tmp stmt args quality wc =  2 tmp-bench-dwarf-38943
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-38943
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.932900 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-39940
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-39940
+tmp stmt args quality wc =  2 tmp-bench-dwarf-39940
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-39940
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.935135 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9906 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-43249
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-43249
+tmp stmt args quality wc =  2 tmp-bench-dwarf-43249
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-43249
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.936970 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9924 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-44657
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-44657
+tmp stmt args quality wc =  2 tmp-bench-dwarf-44657
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-44657
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.63 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.923158 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9941 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-47735
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-47735
+tmp stmt args quality wc =  2 tmp-bench-dwarf-47735
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-47735
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.934038 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9940 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-49109
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-49109
+tmp stmt args quality wc =  2 tmp-bench-dwarf-49109
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-49109
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.930348 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9964 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-50030
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-50030
+tmp stmt args quality wc =  2 tmp-bench-dwarf-50030
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-50030
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.937839 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-52043
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-52043
+tmp stmt args quality wc =  2 tmp-bench-dwarf-52043
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-52043
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.939410 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-61080
+tmp dwarf args quality wc =  475 tmp-bench-dwarf-61080
+tmp stmt args quality wc =  2 tmp-bench-dwarf-61080
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-61080
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.63 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.903933 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9920 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-62108
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-62108
+tmp stmt args quality wc =  2 tmp-bench-dwarf-62108
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-62108
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.938043 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9924 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-63058
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-63058
+tmp stmt args quality wc =  2 tmp-bench-dwarf-63058
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-63058
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.936577 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-64351
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-64351
+tmp stmt args quality wc =  2 tmp-bench-dwarf-64351
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-64351
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.63 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.949208 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9945 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-65301
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-65301
+tmp stmt args quality wc =  2 tmp-bench-dwarf-65301
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-65301
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.938222 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-67866
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-67866
+tmp stmt args quality wc =  2 tmp-bench-dwarf-67866
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-67866
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.922059 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9921 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-80706
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-80706
+tmp stmt args quality wc =  2 tmp-bench-dwarf-80706
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-80706
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.896397 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9929 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-83942
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-83942
+tmp stmt args quality wc =  2 tmp-bench-dwarf-83942
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-83942
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.877992 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9956 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-85069
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-85069
+tmp stmt args quality wc =  2 tmp-bench-dwarf-85069
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-85069
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.933568 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-87016
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-87016
+tmp stmt args quality wc =  2 tmp-bench-dwarf-87016
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-87016
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.909599 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9889 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-88612
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-88612
+tmp stmt args quality wc =  2 tmp-bench-dwarf-88612
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-88612
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.932354 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9934 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-96007
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-96007
+tmp stmt args quality wc =  2 tmp-bench-dwarf-96007
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-96007
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.899850 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9888 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-98429
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-98429
+tmp stmt args quality wc =  2 tmp-bench-dwarf-98429
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-98429
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.901984 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9921 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-102424
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-102424
+tmp stmt args quality wc =  2 tmp-bench-dwarf-102424
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-102424
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.846547 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9974 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-109122
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-109122
+tmp stmt args quality wc =  2 tmp-bench-dwarf-109122
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-109122
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.897065 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-111119
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-111119
+tmp stmt args quality wc =  2 tmp-bench-dwarf-111119
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-111119
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.935381 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9929 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-116461
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-116461
+tmp stmt args quality wc =  2 tmp-bench-dwarf-116461
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-116461
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.934614 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9957 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-118962
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-118962
+tmp stmt args quality wc =  2 tmp-bench-dwarf-118962
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-118962
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.905912 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9929 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-121531
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-121531
+tmp stmt args quality wc =  2 tmp-bench-dwarf-121531
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-121531
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.933333 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9925 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-122526
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-122526
+tmp stmt args quality wc =  2 tmp-bench-dwarf-122526
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-122526
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.932323 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-123438
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-123438
+tmp stmt args quality wc =  2 tmp-bench-dwarf-123438
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-123438
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.938064 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9925 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-124786
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-124786
+tmp stmt args quality wc =  2 tmp-bench-dwarf-124786
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-124786
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.951344 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9962 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-127201
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-127201
+tmp stmt args quality wc =  2 tmp-bench-dwarf-127201
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-127201
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.897566 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-137949
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-137949
+tmp stmt args quality wc =  2 tmp-bench-dwarf-137949
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-137949
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.855743 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9976 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T024818.BaseNl.benchsize b/benchfmt/testdata/bent/20200101T024818.BaseNl.benchsize
new file mode 100644
index 0000000..27c07d3
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.BaseNl.benchsize
@@ -0,0 +1,272 @@
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10149055 total-bytes
+Benchmarkuber_zap_text 1 3631320 text-bytes
+Benchmarkuber_zap_data 1 45712 data-bytes
+Benchmarkuber_zap_rodata 1 1539749 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2377892 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2161821 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4492280 total-bytes
+Benchmarkrcrowley_metrics_text 1 1525608 text-bytes
+Benchmarkrcrowley_metrics_data 1 35280 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 674300 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1091360 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 938341 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3723612 total-bytes
+Benchmarkgonum_topo_text 1 1228680 text-bytes
+Benchmarkgonum_topo_data 1 39408 data-bytes
+Benchmarkgonum_topo_rodata 1 617200 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 827986 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 784236 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3803719 total-bytes
+Benchmarkkanzi_text 1 1230840 text-bytes
+Benchmarkkanzi_data 1 32112 data-bytes
+Benchmarkkanzi_rodata 1 552988 rodata-bytes
+Benchmarkkanzi_pclntab 1 827808 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 839045 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3200083 total-bytes
+Benchmarkcespare_mph_text 1 1025912 text-bytes
+Benchmarkcespare_mph_data 1 32080 data-bytes
+Benchmarkcespare_mph_rodata 1 500212 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 724923 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 713910 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 7009274 total-bytes
+Benchmarkgonum_mat_text 1 2944120 text-bytes
+Benchmarkgonum_mat_data 1 54352 data-bytes
+Benchmarkgonum_mat_rodata 1 1140361 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1409413 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1222022 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 4123703 total-bytes
+Benchmarkgonum_community_text 1 1468472 text-bytes
+Benchmarkgonum_community_data 1 56432 data-bytes
+Benchmarkgonum_community_rodata 1 679397 rodata-bytes
+Benchmarkgonum_community_pclntab 1 882691 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 808117 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7431401 total-bytes
+Benchmarkgonum_lapack_native_text 1 2953240 text-bytes
+Benchmarkgonum_lapack_native_data 1 36176 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1506112 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1292249 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1243890 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3208092 total-bytes
+Benchmarkcespare_xxhash_text 1 1033736 text-bytes
+Benchmarkcespare_xxhash_data 1 31536 data-bytes
+Benchmarkcespare_xxhash_rodata 1 499547 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 727809 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 712522 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3829689 total-bytes
+Benchmarksemver_text 1 1290584 text-bytes
+Benchmarksemver_data 1 33680 data-bytes
+Benchmarksemver_rodata 1 621474 rodata-bytes
+Benchmarksemver_pclntab 1 865706 pclntab-bytes
+Benchmarksemver_zdebug_total 1 813627 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 55484585 total-bytes
+Benchmarkminio_text 1 19974049 text-bytes
+Benchmarkminio_data 1 132120 data-bytes
+Benchmarkminio_rodata 1 9093656 rodata-bytes
+Benchmarkminio_pclntab 1 11608849 pclntab-bytes
+Benchmarkminio_zdebug_total 1 8747133 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3314606 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1084440 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32400 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 510385 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 753231 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 726060 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3573647 total-bytes
+Benchmarkgtank_blake2s_text 1 1193352 text-bytes
+Benchmarkgtank_blake2s_data 1 32944 data-bytes
+Benchmarkgtank_blake2s_rodata 1 543334 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 808040 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 791863 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 5360938 total-bytes
+Benchmarkcapnproto2_text 1 1899160 text-bytes
+Benchmarkcapnproto2_data 1 36272 data-bytes
+Benchmarkcapnproto2_rodata 1 1078107 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1197937 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 928859 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3417848 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1110309 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32688 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 541010 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 769151 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 754020 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 3968752 total-bytes
+Benchmarkericlagergren_decimal_text 1 1302792 text-bytes
+Benchmarkericlagergren_decimal_data 1 34352 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 598078 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 911828 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 891372 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 16250066 total-bytes
+Benchmarkethereum_core_text 1 5729969 text-bytes
+Benchmarkethereum_core_data 1 53328 data-bytes
+Benchmarkethereum_core_rodata 1 3528296 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3526600 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 2830703 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23696459 total-bytes
+Benchmarkhugo_helpers_text 1 9259688 text-bytes
+Benchmarkhugo_helpers_data 1 136576 data-bytes
+Benchmarkhugo_helpers_rodata 1 4607168 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5081563 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4016655 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4225204 total-bytes
+Benchmarkbindata_text 1 1447160 text-bytes
+Benchmarkbindata_data 1 33872 data-bytes
+Benchmarkbindata_rodata 1 648637 rodata-bytes
+Benchmarkbindata_pclntab 1 963962 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 916927 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7783092 total-bytes
+Benchmarkethereum_trie_text 1 2866961 text-bytes
+Benchmarkethereum_trie_data 1 37872 data-bytes
+Benchmarkethereum_trie_rodata 1 1153768 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1864020 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1600075 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3844384 total-bytes
+Benchmarkgonum_path_text 1 1288088 text-bytes
+Benchmarkgonum_path_data 1 50672 data-bytes
+Benchmarkgonum_path_rodata 1 619316 rodata-bytes
+Benchmarkgonum_path_pclntab 1 861387 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 795731 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7671199 total-bytes
+Benchmarkethereum_corevm_text 1 2627809 text-bytes
+Benchmarkethereum_corevm_data 1 44080 data-bytes
+Benchmarkethereum_corevm_rodata 1 1417960 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1722637 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1481508 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11720288 total-bytes
+Benchmarkethereum_storage_text 1 4327841 text-bytes
+Benchmarkethereum_storage_data 1 46640 data-bytes
+Benchmarkethereum_storage_rodata 1 1777808 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2783422 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2364749 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 36002145 total-bytes
+Benchmarkk8s_api_text 1 14385576 text-bytes
+Benchmarkk8s_api_data 1 61520 data-bytes
+Benchmarkk8s_api_rodata 1 4723910 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9615536 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6627931 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4620726 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1562357 text-bytes
+Benchmarkbenhoyt_goawk_data 1 33936 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 790016 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1059943 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 957780 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3656826 total-bytes
+Benchmarkspexs2_text 1 1199176 text-bytes
+Benchmarkspexs2_data 1 32560 data-bytes
+Benchmarkspexs2_rodata 1 565217 rodata-bytes
+Benchmarkspexs2_pclntab 1 835328 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 818967 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 5018121 total-bytes
+Benchmarkcommonmark_markdown_text 1 1687576 text-bytes
+Benchmarkcommonmark_markdown_data 1 51280 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 870240 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1118985 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1025490 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4468410 total-bytes
+Benchmarkdustin_humanize_text 1 1526936 text-bytes
+Benchmarkdustin_humanize_data 1 34064 data-bytes
+Benchmarkdustin_humanize_rodata 1 689377 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1038460 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 961423 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3352309 total-bytes
+Benchmarkgonum_traverse_text 1 1064152 text-bytes
+Benchmarkgonum_traverse_data 1 33680 data-bytes
+Benchmarkgonum_traverse_rodata 1 537325 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 755954 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 739408 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3529300 total-bytes
+Benchmarkethereum_bitutil_text 1 1160088 text-bytes
+Benchmarkethereum_bitutil_data 1 33488 data-bytes
+Benchmarkethereum_bitutil_rodata 1 536388 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 803473 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 783977 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3213216 total-bytes
+Benchmarkdustin_broadcast_text 1 1024920 text-bytes
+Benchmarkdustin_broadcast_data 1 31632 data-bytes
+Benchmarkdustin_broadcast_rodata 1 505424 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 728342 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 719812 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 4968135 total-bytes
+Benchmarkgonum_blas_native_text 1 1938920 text-bytes
+Benchmarkgonum_blas_native_data 1 72600 data-bytes
+Benchmarkgonum_blas_native_rodata 1 835262 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 974192 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 898107 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 11954727 total-bytes
+Benchmarkethereum_ethash_text 1 4356593 text-bytes
+Benchmarkethereum_ethash_data 1 53008 data-bytes
+Benchmarkethereum_ethash_rodata 1 1916168 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2775956 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2395826 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33960290 total-bytes
+Benchmarkk8s_schedulercache_text 1 13578248 text-bytes
+Benchmarkk8s_schedulercache_data 1 64400 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4710561 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8785287 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6232054 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T024818.BaseNl.build b/benchfmt/testdata/bent/20200101T024818.BaseNl.build
new file mode 100644
index 0000000..7855a21
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.BaseNl.build
@@ -0,0 +1,36 @@
+goos: linux
+goarch: amd64
+BenchmarkUber_zap 1 6910000000 build-real-ns/op 24230000000 build-user-ns/op 2630000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 2780000000 build-real-ns/op 11810000000 build-user-ns/op 1190000000 build-sys-ns/op
+BenchmarkGonum_topo 1 4140000000 build-real-ns/op 17770000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkKanzi 1 2060000000 build-real-ns/op 9880000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkCespare_mph 1 1850000000 build-real-ns/op 8330000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkGonum_mat 1 4420000000 build-real-ns/op 17680000000 build-user-ns/op 1360000000 build-sys-ns/op
+BenchmarkGonum_community 1 4210000000 build-real-ns/op 17300000000 build-user-ns/op 1450000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 4450000000 build-real-ns/op 16530000000 build-user-ns/op 1140000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 1880000000 build-real-ns/op 8340000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkSemver 1 1980000000 build-real-ns/op 9140000000 build-user-ns/op 850000000 build-sys-ns/op
+BenchmarkMinio 1 51870000000 build-real-ns/op 145400000000 build-user-ns/op 11270000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 1890000000 build-real-ns/op 8550000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 1920000000 build-real-ns/op 9060000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkCapnproto2 1 5270000000 build-real-ns/op 17280000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 1900000000 build-real-ns/op 8900000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 3100000000 build-real-ns/op 11530000000 build-user-ns/op 1050000000 build-sys-ns/op
+BenchmarkEthereum_core 1 14100000000 build-real-ns/op 41700000000 build-user-ns/op 4040000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 13280000000 build-real-ns/op 60610000000 build-user-ns/op 4500000000 build-sys-ns/op
+BenchmarkBindata 1 2230000000 build-real-ns/op 11030000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 12100000000 build-real-ns/op 27870000000 build-user-ns/op 2640000000 build-sys-ns/op
+BenchmarkGonum_path 1 4140000000 build-real-ns/op 17390000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 12480000000 build-real-ns/op 29960000000 build-user-ns/op 3060000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 14300000000 build-real-ns/op 36700000000 build-user-ns/op 3400000000 build-sys-ns/op
+BenchmarkK8s_api 1 18130000000 build-real-ns/op 88380000000 build-user-ns/op 6760000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 2070000000 build-real-ns/op 9220000000 build-user-ns/op 930000000 build-sys-ns/op
+BenchmarkSpexs2 1 2560000000 build-real-ns/op 10040000000 build-user-ns/op 920000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 8970000000 build-real-ns/op 18350000000 build-user-ns/op 1190000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 2050000000 build-real-ns/op 9470000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3970000000 build-real-ns/op 16290000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 3540000000 build-real-ns/op 10310000000 build-user-ns/op 930000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 1860000000 build-real-ns/op 8370000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 3650000000 build-real-ns/op 12180000000 build-user-ns/op 1000000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 12460000000 build-real-ns/op 35230000000 build-user-ns/op 3230000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 18450000000 build-real-ns/op 91710000000 build-user-ns/op 6300000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T024818.BaseNl.stdout b/benchfmt/testdata/bent/20200101T024818.BaseNl.stdout
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.BaseNl.stdout
diff --git a/benchfmt/testdata/bent/20200101T024818.TipNl.benchdwarf b/benchfmt/testdata/bent/20200101T024818.TipNl.benchdwarf
new file mode 100644
index 0000000..9f0868c
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.TipNl.benchdwarf
@@ -0,0 +1,306 @@
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-27257
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-27257
+tmp stmt args quality wc =  2 tmp-bench-dwarf-27257
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-27257
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.901460 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9965 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-31581
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-31581
+tmp stmt args quality wc =  2 tmp-bench-dwarf-31581
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-31581
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.880355 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9965 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-32724
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-32724
+tmp stmt args quality wc =  2 tmp-bench-dwarf-32724
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-32724
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.939914 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9958 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-33743
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-33743
+tmp stmt args quality wc =  2 tmp-bench-dwarf-33743
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-33743
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.942136 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9929 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-36402
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-36402
+tmp stmt args quality wc =  2 tmp-bench-dwarf-36402
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-36402
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.899314 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9940 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-37333
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-37333
+tmp stmt args quality wc =  2 tmp-bench-dwarf-37333
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-37333
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.945444 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9949 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-42308
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-42308
+tmp stmt args quality wc =  2 tmp-bench-dwarf-42308
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-42308
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.905387 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9934 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-46197
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-46197
+tmp stmt args quality wc =  2 tmp-bench-dwarf-46197
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-46197
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.940657 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9962 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-51091
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-51091
+tmp stmt args quality wc =  2 tmp-bench-dwarf-51091
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-51091
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.928742 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9943 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-55818
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-55818
+tmp stmt args quality wc =  2 tmp-bench-dwarf-55818
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-55818
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.856730 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-66802
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-66802
+tmp stmt args quality wc =  2 tmp-bench-dwarf-66802
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-66802
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.941010 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9954 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-69245
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-69245
+tmp stmt args quality wc =  2 tmp-bench-dwarf-69245
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-69245
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.935851 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9973 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-70207
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-70207
+tmp stmt args quality wc =  2 tmp-bench-dwarf-70207
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-70207
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.943647 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-71195
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-71195
+tmp stmt args quality wc =  2 tmp-bench-dwarf-71195
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-71195
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.903722 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-72133
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-72133
+tmp stmt args quality wc =  2 tmp-bench-dwarf-72133
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-72133
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.946123 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-73140
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-73140
+tmp stmt args quality wc =  2 tmp-bench-dwarf-73140
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-73140
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.939976 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9968 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-74733
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-74733
+tmp stmt args quality wc =  2 tmp-bench-dwarf-74733
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-74733
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.940032 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9956 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-76622
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-76622
+tmp stmt args quality wc =  2 tmp-bench-dwarf-76622
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-76622
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.913772 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9907 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-77948
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-77948
+tmp stmt args quality wc =  2 tmp-bench-dwarf-77948
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-77948
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.957014 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9973 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-93760
+tmp dwarf args quality wc =  475 tmp-bench-dwarf-93760
+tmp stmt args quality wc =  2 tmp-bench-dwarf-93760
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-93760
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.62 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.905029 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-103389
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-103389
+tmp stmt args quality wc =  2 tmp-bench-dwarf-103389
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-103389
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.912531 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9949 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-104844
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-104844
+tmp stmt args quality wc =  2 tmp-bench-dwarf-104844
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-104844
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.953517 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9967 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-106034
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-106034
+tmp stmt args quality wc =  2 tmp-bench-dwarf-106034
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-106034
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.927968 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9954 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-108130
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-108130
+tmp stmt args quality wc =  2 tmp-bench-dwarf-108130
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-108130
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.904292 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9899 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-110042
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-110042
+tmp stmt args quality wc =  2 tmp-bench-dwarf-110042
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-110042
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.945614 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9953 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-113521
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-113521
+tmp stmt args quality wc =  2 tmp-bench-dwarf-113521
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-113521
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.901136 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9933 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-114443
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-114443
+tmp stmt args quality wc =  2 tmp-bench-dwarf-114443
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-114443
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.944803 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9953 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-118021
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-118021
+tmp stmt args quality wc =  2 tmp-bench-dwarf-118021
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-118021
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.939286 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9958 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-120037
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-120037
+tmp stmt args quality wc =  2 tmp-bench-dwarf-120037
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-120037
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.942268 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9947 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-128112
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-128112
+tmp stmt args quality wc =  2 tmp-bench-dwarf-128112
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-128112
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.945804 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-132042
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-132042
+tmp stmt args quality wc =  2 tmp-bench-dwarf-132042
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-132042
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.847771 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-133073
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-133073
+tmp stmt args quality wc =  2 tmp-bench-dwarf-133073
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-133073
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.945628 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-134073
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-134073
+tmp stmt args quality wc =  2 tmp-bench-dwarf-134073
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-134073
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.939474 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-139374
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-139374
+tmp stmt args quality wc =  2 tmp-bench-dwarf-139374
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-139374
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.62 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.927959 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9952 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T024818.TipNl.benchsize b/benchfmt/testdata/bent/20200101T024818.TipNl.benchsize
new file mode 100644
index 0000000..270e35b
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.TipNl.benchsize
@@ -0,0 +1,272 @@
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10204121 total-bytes
+Benchmarkuber_zap_text 1 3605688 text-bytes
+Benchmarkuber_zap_data 1 45904 data-bytes
+Benchmarkuber_zap_rodata 1 1468745 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2396346 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2232310 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23183384 total-bytes
+Benchmarkhugo_helpers_text 1 8955896 text-bytes
+Benchmarkhugo_helpers_data 1 136768 data-bytes
+Benchmarkhugo_helpers_rodata 1 4258208 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5075127 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4101713 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4335788 total-bytes
+Benchmarkbindata_text 1 1460088 text-bytes
+Benchmarkbindata_data 1 34032 data-bytes
+Benchmarkbindata_rodata 1 615324 rodata-bytes
+Benchmarkbindata_pclntab 1 985561 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 964954 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3908995 total-bytes
+Benchmarkkanzi_text 1 1245448 text-bytes
+Benchmarkkanzi_data 1 32272 data-bytes
+Benchmarkkanzi_rodata 1 521382 rodata-bytes
+Benchmarkkanzi_pclntab 1 847136 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 880544 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 16308439 total-bytes
+Benchmarkethereum_core_text 1 5698417 text-bytes
+Benchmarkethereum_core_data 1 53488 data-bytes
+Benchmarkethereum_core_rodata 1 3434920 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3561808 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 2916675 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3420017 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1096296 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32560 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 481099 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 771984 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 768665 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11794438 total-bytes
+Benchmarkethereum_storage_text 1 4308897 text-bytes
+Benchmarkethereum_storage_data 1 46800 data-bytes
+Benchmarkethereum_storage_rodata 1 1705520 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2814141 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2436756 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 4232458 total-bytes
+Benchmarkgonum_community_text 1 1487640 text-bytes
+Benchmarkgonum_community_data 1 56560 data-bytes
+Benchmarkgonum_community_rodata 1 638436 rodata-bytes
+Benchmarkgonum_community_pclntab 1 905507 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 854514 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 4090445 total-bytes
+Benchmarkericlagergren_decimal_text 1 1319288 text-bytes
+Benchmarkericlagergren_decimal_data 1 34512 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 568750 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 933504 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 942834 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33922133 total-bytes
+Benchmarkk8s_schedulercache_text 1 13423800 text-bytes
+Benchmarkk8s_schedulercache_data 1 64624 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4493069 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8734645 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6555020 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3464136 total-bytes
+Benchmarkgonum_traverse_text 1 1078088 text-bytes
+Benchmarkgonum_traverse_data 1 33840 data-bytes
+Benchmarkgonum_traverse_rodata 1 509972 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 776860 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 782175 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7495115 total-bytes
+Benchmarkgonum_lapack_native_text 1 2994520 text-bytes
+Benchmarkgonum_lapack_native_data 1 36400 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1418080 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1300504 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1285522 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3684637 total-bytes
+Benchmarkgtank_blake2s_text 1 1205704 text-bytes
+Benchmarkgtank_blake2s_data 1 33136 data-bytes
+Benchmarkgtank_blake2s_rodata 1 515682 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 827721 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 837025 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4718079 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1569637 text-bytes
+Benchmarkbenhoyt_goawk_data 1 34096 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 751776 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1080733 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 1004040 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3930028 total-bytes
+Benchmarksemver_text 1 1302232 text-bytes
+Benchmarksemver_data 1 33872 data-bytes
+Benchmarksemver_rodata 1 588823 rodata-bytes
+Benchmarksemver_pclntab 1 879899 pclntab-bytes
+Benchmarksemver_zdebug_total 1 859413 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 5093303 total-bytes
+Benchmarkcommonmark_markdown_text 1 1691144 text-bytes
+Benchmarkcommonmark_markdown_data 1 51472 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 833056 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1129645 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1062357 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3831376 total-bytes
+Benchmarkgonum_topo_text 1 1241352 text-bytes
+Benchmarkgonum_topo_data 1 39568 data-bytes
+Benchmarkgonum_topo_rodata 1 585554 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 848114 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 829435 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7891314 total-bytes
+Benchmarkethereum_trie_text 1 2871793 text-bytes
+Benchmarkethereum_trie_data 1 38096 data-bytes
+Benchmarkethereum_trie_rodata 1 1106536 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1894072 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1659377 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 5069303 total-bytes
+Benchmarkgonum_blas_native_text 1 2029032 text-bytes
+Benchmarkgonum_blas_native_data 1 72760 data-bytes
+Benchmarkgonum_blas_native_rodata 1 719670 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 991664 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 946128 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 55020845 total-bytes
+Benchmarkminio_text 1 19695473 text-bytes
+Benchmarkminio_data 1 132280 data-bytes
+Benchmarkminio_rodata 1 8770200 rodata-bytes
+Benchmarkminio_pclntab 1 11490338 pclntab-bytes
+Benchmarkminio_zdebug_total 1 8946866 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4582079 total-bytes
+Benchmarkdustin_humanize_text 1 1543000 text-bytes
+Benchmarkdustin_humanize_data 1 34224 data-bytes
+Benchmarkdustin_humanize_rodata 1 654832 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1059908 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 1010826 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 5225360 total-bytes
+Benchmarkcapnproto2_text 1 1873432 text-bytes
+Benchmarkcapnproto2_data 1 36400 data-bytes
+Benchmarkcapnproto2_rodata 1 941855 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1134228 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 958411 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4599131 total-bytes
+Benchmarkrcrowley_metrics_text 1 1533608 text-bytes
+Benchmarkrcrowley_metrics_data 1 35472 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 641379 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1111159 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 988999 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7780180 total-bytes
+Benchmarkethereum_corevm_text 1 2630433 text-bytes
+Benchmarkethereum_corevm_data 1 44272 data-bytes
+Benchmarkethereum_corevm_rodata 1 1374120 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1748880 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1544275 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3319468 total-bytes
+Benchmarkcespare_xxhash_text 1 1048680 text-bytes
+Benchmarkcespare_xxhash_data 1 31696 data-bytes
+Benchmarkcespare_xxhash_rodata 1 471845 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 748132 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 754890 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 12033614 total-bytes
+Benchmarkethereum_ethash_text 1 4334161 text-bytes
+Benchmarkethereum_ethash_data 1 53168 data-bytes
+Benchmarkethereum_ethash_rodata 1 1845704 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2808059 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2472903 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3310675 total-bytes
+Benchmarkcespare_mph_text 1 1039992 text-bytes
+Benchmarkcespare_mph_data 1 32240 data-bytes
+Benchmarkcespare_mph_rodata 1 472023 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 745087 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 756952 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3944035 total-bytes
+Benchmarkgonum_path_text 1 1295912 text-bytes
+Benchmarkgonum_path_data 1 50800 data-bytes
+Benchmarkgonum_path_rodata 1 586043 rodata-bytes
+Benchmarkgonum_path_pclntab 1 879308 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 841547 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3769749 total-bytes
+Benchmarkspexs2_text 1 1211992 text-bytes
+Benchmarkspexs2_data 1 32752 data-bytes
+Benchmarkspexs2_rodata 1 535903 rodata-bytes
+Benchmarkspexs2_pclntab 1 855756 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 866601 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3322553 total-bytes
+Benchmarkdustin_broadcast_text 1 1038776 text-bytes
+Benchmarkdustin_broadcast_data 1 31792 data-bytes
+Benchmarkdustin_broadcast_rodata 1 476914 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 748680 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 761966 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 36093649 total-bytes
+Benchmarkk8s_api_text 1 14277496 text-bytes
+Benchmarkk8s_api_data 1 61776 data-bytes
+Benchmarkk8s_api_rodata 1 4545460 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9599152 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6960478 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3511913 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1117941 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32848 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 507315 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 784721 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 797183 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3654016 total-bytes
+Benchmarkethereum_bitutil_text 1 1178904 text-bytes
+Benchmarkethereum_bitutil_data 1 33616 data-bytes
+Benchmarkethereum_bitutil_rodata 1 509374 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 825168 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 833777 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 7107934 total-bytes
+Benchmarkgonum_mat_text 1 3030328 text-bytes
+Benchmarkgonum_mat_data 1 54480 data-bytes
+Benchmarkgonum_mat_rodata 1 1014126 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1440730 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1269381 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T024818.TipNl.build b/benchfmt/testdata/bent/20200101T024818.TipNl.build
new file mode 100644
index 0000000..d84822f
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.TipNl.build
@@ -0,0 +1,36 @@
+goos: linux
+goarch: amd64
+BenchmarkUber_zap 1 6730000000 build-real-ns/op 24390000000 build-user-ns/op 2640000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 13040000000 build-real-ns/op 59300000000 build-user-ns/op 4730000000 build-sys-ns/op
+BenchmarkBindata 1 2280000000 build-real-ns/op 11290000000 build-user-ns/op 920000000 build-sys-ns/op
+BenchmarkKanzi 1 2130000000 build-real-ns/op 9990000000 build-user-ns/op 910000000 build-sys-ns/op
+BenchmarkEthereum_core 1 14010000000 build-real-ns/op 41400000000 build-user-ns/op 3760000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 1980000000 build-real-ns/op 8630000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 14240000000 build-real-ns/op 36520000000 build-user-ns/op 3470000000 build-sys-ns/op
+BenchmarkGonum_community 1 4190000000 build-real-ns/op 17290000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 3120000000 build-real-ns/op 11560000000 build-user-ns/op 1040000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 17710000000 build-real-ns/op 86060000000 build-user-ns/op 6110000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3970000000 build-real-ns/op 16710000000 build-user-ns/op 1190000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 4450000000 build-real-ns/op 16560000000 build-user-ns/op 1220000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 1970000000 build-real-ns/op 9160000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 2130000000 build-real-ns/op 9670000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkSemver 1 2029999999 build-real-ns/op 9320000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 8450000000 build-real-ns/op 17470000000 build-user-ns/op 1240000000 build-sys-ns/op
+BenchmarkGonum_topo 1 4160000000 build-real-ns/op 17890000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 11870000000 build-real-ns/op 27860000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 3710000000 build-real-ns/op 12300000000 build-user-ns/op 920000000 build-sys-ns/op
+BenchmarkMinio 1 52660000000 build-real-ns/op 143750000000 build-user-ns/op 11090000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 2040000000 build-real-ns/op 9520000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkCapnproto2 1 5770000000 build-real-ns/op 18420000000 build-user-ns/op 1540000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 2800000000 build-real-ns/op 11940000000 build-user-ns/op 1210000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 12400000000 build-real-ns/op 30680000000 build-user-ns/op 2790000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 1930000000 build-real-ns/op 8540000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 12860000000 build-real-ns/op 35360000000 build-user-ns/op 3180000000 build-sys-ns/op
+BenchmarkCespare_mph 1 1910000000 build-real-ns/op 8640000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkGonum_path 1 4180000000 build-real-ns/op 17240000000 build-user-ns/op 1340000000 build-sys-ns/op
+BenchmarkSpexs2 1 2630000000 build-real-ns/op 10160000000 build-user-ns/op 960000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 1900000000 build-real-ns/op 8490000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkK8s_api 1 17470000000 build-real-ns/op 86820000000 build-user-ns/op 6380000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 1960000000 build-real-ns/op 9160000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 3640000000 build-real-ns/op 10450000000 build-user-ns/op 990000000 build-sys-ns/op
+BenchmarkGonum_mat 1 4380000000 build-real-ns/op 17770000000 build-user-ns/op 1240000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T024818.TipNl.stdout b/benchfmt/testdata/bent/20200101T024818.TipNl.stdout
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T024818.TipNl.stdout
diff --git a/benchfmt/testdata/bent/20200101T030626.Basel.benchdwarf b/benchfmt/testdata/bent/20200101T030626.Basel.benchdwarf
new file mode 100644
index 0000000..02aced8
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Basel.benchdwarf
@@ -0,0 +1,315 @@
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-142948
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-142948
+tmp stmt args quality wc =  2 tmp-bench-dwarf-142948
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-142948
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.897769 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9955 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-150278
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-150278
+tmp stmt args quality wc =  2 tmp-bench-dwarf-150278
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-150278
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.894658 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-153700
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-153700
+tmp stmt args quality wc =  2 tmp-bench-dwarf-153700
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-153700
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.896179 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9922 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-157634
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-157634
+tmp stmt args quality wc =  2 tmp-bench-dwarf-157634
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-157634
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.846402 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9974 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-160978
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-160978
+tmp stmt args quality wc =  2 tmp-bench-dwarf-160978
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-160978
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.939094 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-166809
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-166809
+tmp stmt args quality wc =  2 tmp-bench-dwarf-166809
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-166809
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.877476 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9956 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-172327
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-172327
+tmp stmt args quality wc =  2 tmp-bench-dwarf-172327
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-172327
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.931161 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9934 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-178379
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-178379
+tmp stmt args quality wc =  2 tmp-bench-dwarf-178379
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-178379
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.855694 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9976 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-180083
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-180083
+tmp stmt args quality wc =  2 tmp-bench-dwarf-180083
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-180083
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.932864 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-181169
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-181169
+tmp stmt args quality wc =  2 tmp-bench-dwarf-181169
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-181169
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.935381 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-188728
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-188728
+tmp stmt args quality wc =  2 tmp-bench-dwarf-188728
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-188728
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.944514 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9943 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-191281
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-191281
+tmp stmt args quality wc =  2 tmp-bench-dwarf-191281
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-191281
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.933333 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9924 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-193565
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-193565
+tmp stmt args quality wc =  2 tmp-bench-dwarf-193565
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-193565
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.948980 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9946 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-194516
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-194516
+tmp stmt args quality wc =  2 tmp-bench-dwarf-194516
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-194516
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.934180 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-196442
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-196442
+tmp stmt args quality wc =  2 tmp-bench-dwarf-196442
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-196442
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.905619 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9888 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-198559
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-198559
+tmp stmt args quality wc =  2 tmp-bench-dwarf-198559
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-198559
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.905912 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-199953
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-199953
+tmp stmt args quality wc =  2 tmp-bench-dwarf-199953
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-199953
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.918667 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-204753
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-204753
+tmp stmt args quality wc =  2 tmp-bench-dwarf-204753
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-204753
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.914501 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9935 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-205814
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-205814
+tmp stmt args quality wc =  2 tmp-bench-dwarf-205814
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-205814
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.921530 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9920 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-207360
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-207360
+tmp stmt args quality wc =  2 tmp-bench-dwarf-207360
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-207360
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.54 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.933503 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9935 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-212111
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-212111
+tmp stmt args quality wc =  2 tmp-bench-dwarf-212111
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-212111
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.898358 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9921 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-213125
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-213125
+tmp stmt args quality wc =  2 tmp-bench-dwarf-213125
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-213125
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.935135 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9906 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-214092
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-214092
+tmp stmt args quality wc =  2 tmp-bench-dwarf-214092
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-214092
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.891791 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-221315
+tmp dwarf args quality wc =  475 tmp-bench-dwarf-221315
+tmp stmt args quality wc =  2 tmp-bench-dwarf-221315
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-221315
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.896368 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9916 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-222266
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-222266
+tmp stmt args quality wc =  2 tmp-bench-dwarf-222266
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-222266
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.935386 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9924 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-224473
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-224473
+tmp stmt args quality wc =  2 tmp-bench-dwarf-224473
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-224473
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.936325 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-232044
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-232044
+tmp stmt args quality wc =  2 tmp-bench-dwarf-232044
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-232044
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.862946 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-241535
+tmp dwarf args quality wc =  10 tmp-bench-dwarf-241535
+tmp stmt args quality wc =  2 tmp-bench-dwarf-241535
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-241535
+goos: linux
+goarch: amd64
+Benchmarkaws_jsonutil_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkaws_jsonutil_dwarf_args_goodness 1 0.922232 args-quality
+Benchmarkaws_jsonutil_dwarf_stmt_goodness 1 0.9957 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-242926
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-242926
+tmp stmt args quality wc =  2 tmp-bench-dwarf-242926
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-242926
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.903239 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9940 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-243874
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-243874
+tmp stmt args quality wc =  2 tmp-bench-dwarf-243874
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-243874
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.936543 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-244811
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-244811
+tmp stmt args quality wc =  2 tmp-bench-dwarf-244811
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-244811
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.936591 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-249586
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-249586
+tmp stmt args quality wc =  2 tmp-bench-dwarf-249586
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-249586
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.874338 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9887 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-253645
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-253645
+tmp stmt args quality wc =  2 tmp-bench-dwarf-253645
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-253645
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.935057 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9925 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-255547
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-255547
+tmp stmt args quality wc =  2 tmp-bench-dwarf-255547
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-255547
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.930119 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-256681
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-256681
+tmp stmt args quality wc =  2 tmp-bench-dwarf-256681
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-256681
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.933451 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9935 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T030626.Basel.benchsize b/benchfmt/testdata/bent/20200101T030626.Basel.benchsize
new file mode 100644
index 0000000..41e0e3e
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Basel.benchsize
@@ -0,0 +1,280 @@
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10138651 total-bytes
+Benchmarkuber_zap_text 1 3621945 text-bytes
+Benchmarkuber_zap_data 1 45712 data-bytes
+Benchmarkuber_zap_rodata 1 1537561 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2375559 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2165358 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 15812843 total-bytes
+Benchmarkethereum_core_text 1 5472977 text-bytes
+Benchmarkethereum_core_data 1 53328 data-bytes
+Benchmarkethereum_core_rodata 1 3349704 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3479432 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 2876603 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 11881879 total-bytes
+Benchmarkethereum_ethash_text 1 4310289 text-bytes
+Benchmarkethereum_ethash_data 1 53008 data-bytes
+Benchmarkethereum_ethash_rodata 1 1892456 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2766075 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2402992 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 35910191 total-bytes
+Benchmarkk8s_api_text 1 14320777 text-bytes
+Benchmarkk8s_api_data 1 61520 data-bytes
+Benchmarkk8s_api_rodata 1 4691657 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9602208 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6646386 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3759014 total-bytes
+Benchmarksemver_text 1 1243385 text-bytes
+Benchmarksemver_data 1 33680 data-bytes
+Benchmarksemver_rodata 1 599929 rodata-bytes
+Benchmarksemver_pclntab 1 856547 pclntab-bytes
+Benchmarksemver_zdebug_total 1 820880 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23566169 total-bytes
+Benchmarkhugo_helpers_text 1 9162025 text-bytes
+Benchmarkhugo_helpers_data 1 136576 data-bytes
+Benchmarkhugo_helpers_rodata 1 4581376 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5060593 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4030899 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3763071 total-bytes
+Benchmarkgonum_path_text 1 1228265 text-bytes
+Benchmarkgonum_path_data 1 50672 data-bytes
+Benchmarkgonum_path_rodata 1 595886 rodata-bytes
+Benchmarkgonum_path_pclntab 1 851436 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 807683 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33833253 total-bytes
+Benchmarkk8s_schedulercache_text 1 13508633 text-bytes
+Benchmarkk8s_schedulercache_data 1 64400 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4668045 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8770193 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6232479 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3648181 total-bytes
+Benchmarkgonum_topo_text 1 1181353 text-bytes
+Benchmarkgonum_topo_data 1 39408 data-bytes
+Benchmarkgonum_topo_rodata 1 586347 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 819418 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 795622 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3650651 total-bytes
+Benchmarkspexs2_text 1 1196025 text-bytes
+Benchmarkspexs2_data 1 32560 data-bytes
+Benchmarkspexs2_rodata 1 563376 rodata-bytes
+Benchmarkspexs2_pclntab 1 834148 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 819013 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 4888401 total-bytes
+Benchmarkcapnproto2_text 1 1657625 text-bytes
+Benchmarkcapnproto2_data 1 36272 data-bytes
+Benchmarkcapnproto2_rodata 1 864000 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1151860 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 958298 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3341070 total-bytes
+Benchmarkgonum_traverse_text 1 1056041 text-bytes
+Benchmarkgonum_traverse_data 1 33680 data-bytes
+Benchmarkgonum_traverse_rodata 1 534150 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 754308 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 741138 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 4888778 total-bytes
+Benchmarkgonum_blas_native_text 1 1774569 text-bytes
+Benchmarkgonum_blas_native_data 1 72600 data-bytes
+Benchmarkgonum_blas_native_rodata 1 832732 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 972584 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 987272 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3406810 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1100763 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32688 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 539680 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 767193 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 755837 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7638880 total-bytes
+Benchmarkethereum_trie_text 1 2757265 text-bytes
+Benchmarkethereum_trie_data 1 37872 data-bytes
+Benchmarkethereum_trie_rodata 1 1120104 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1843141 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1620170 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4410008 total-bytes
+Benchmarkdustin_humanize_text 1 1485001 text-bytes
+Benchmarkdustin_humanize_data 1 34064 data-bytes
+Benchmarkdustin_humanize_rodata 1 676885 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1030057 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 965896 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 6345380 total-bytes
+Benchmarkgonum_mat_text 1 2490617 text-bytes
+Benchmarkgonum_mat_data 1 54352 data-bytes
+Benchmarkgonum_mat_rodata 1 942533 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1324242 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1295315 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4408349 total-bytes
+Benchmarkrcrowley_metrics_text 1 1454841 text-bytes
+Benchmarkrcrowley_metrics_data 1 35280 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 664355 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1078676 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 947899 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 3965825 total-bytes
+Benchmarkericlagergren_decimal_text 1 1300169 text-bytes
+Benchmarkericlagergren_decimal_data 1 34352 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 597519 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 910895 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 892577 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 3972613 total-bytes
+Benchmarkgonum_community_text 1 1350985 text-bytes
+Benchmarkgonum_community_data 1 56432 data-bytes
+Benchmarkgonum_community_rodata 1 621446 rodata-bytes
+Benchmarkgonum_community_pclntab 1 870595 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 844670 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11650972 total-bytes
+Benchmarkethereum_storage_text 1 4275473 text-bytes
+Benchmarkethereum_storage_data 1 46640 data-bytes
+Benchmarkethereum_storage_rodata 1 1760656 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2772093 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2376314 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3778311 total-bytes
+Benchmarkkanzi_text 1 1205657 text-bytes
+Benchmarkkanzi_data 1 32112 data-bytes
+Benchmarkkanzi_rodata 1 549122 rodata-bytes
+Benchmarkkanzi_pclntab 1 824776 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 845739 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4501969 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1485483 text-bytes
+Benchmarkbenhoyt_goawk_data 1 33936 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 752352 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1045186 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 968375 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 51973742 total-bytes
+Benchmarkminio_text 1 17924577 text-bytes
+Benchmarkminio_data 1 132120 data-bytes
+Benchmarkminio_rodata 1 7733240 rodata-bytes
+Benchmarkminio_pclntab 1 11208723 pclntab-bytes
+Benchmarkminio_zdebug_total 1 9047976 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3192926 total-bytes
+Benchmarkcespare_xxhash_text 1 1021929 text-bytes
+Benchmarkcespare_xxhash_data 1 31536 data-bytes
+Benchmarkcespare_xxhash_rodata 1 497120 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 725556 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 713872 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3193223 total-bytes
+Benchmarkcespare_mph_text 1 1020409 text-bytes
+Benchmarkcespare_mph_data 1 32080 data-bytes
+Benchmarkcespare_mph_rodata 1 498682 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 723663 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 715376 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 4959177 total-bytes
+Benchmarkcommonmark_markdown_text 1 1619657 text-bytes
+Benchmarkcommonmark_markdown_data 1 51280 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 860672 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1108421 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1054674 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkaws_jsonutil_total 1 9439064 total-bytes
+Benchmarkaws_jsonutil_text 1 3342329 text-bytes
+Benchmarkaws_jsonutil_data 1 46096 data-bytes
+Benchmarkaws_jsonutil_rodata 1 2136864 rodata-bytes
+Benchmarkaws_jsonutil_pclntab 1 1845639 pclntab-bytes
+Benchmarkaws_jsonutil_zdebug_total 1 1686614 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7162986 total-bytes
+Benchmarkgonum_lapack_native_text 1 2623993 text-bytes
+Benchmarkgonum_lapack_native_data 1 36176 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1503232 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1260232 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1339620 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3551639 total-bytes
+Benchmarkgtank_blake2s_text 1 1173545 text-bytes
+Benchmarkgtank_blake2s_data 1 32944 data-bytes
+Benchmarkgtank_blake2s_rodata 1 540869 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 805041 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 795135 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3297142 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1068809 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32400 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 509092 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 750568 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 728212 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7541089 total-bytes
+Benchmarkethereum_corevm_text 1 2558753 text-bytes
+Benchmarkethereum_corevm_data 1 44080 data-bytes
+Benchmarkethereum_corevm_rodata 1 1356136 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1710781 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1494211 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3210429 total-bytes
+Benchmarkdustin_broadcast_text 1 1023129 text-bytes
+Benchmarkdustin_broadcast_data 1 31632 data-bytes
+Benchmarkdustin_broadcast_rodata 1 504517 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 727552 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 720542 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3515555 total-bytes
+Benchmarkethereum_bitutil_text 1 1147209 text-bytes
+Benchmarkethereum_bitutil_data 1 33488 data-bytes
+Benchmarkethereum_bitutil_rodata 1 534118 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 801440 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 787423 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4185014 total-bytes
+Benchmarkbindata_text 1 1415673 text-bytes
+Benchmarkbindata_data 1 33872 data-bytes
+Benchmarkbindata_rodata 1 640354 rodata-bytes
+Benchmarkbindata_pclntab 1 957441 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 923077 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T030626.Basel.build b/benchfmt/testdata/bent/20200101T030626.Basel.build
new file mode 100644
index 0000000..cf72565
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Basel.build
@@ -0,0 +1,37 @@
+goos: linux
+goarch: amd64
+BenchmarkUber_zap 1 6720000000 build-real-ns/op 24300000000 build-user-ns/op 2590000000 build-sys-ns/op
+BenchmarkEthereum_core 1 14030000000 build-real-ns/op 41430000000 build-user-ns/op 3790000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 13010000000 build-real-ns/op 34960000000 build-user-ns/op 3560000000 build-sys-ns/op
+BenchmarkK8s_api 1 17900000000 build-real-ns/op 89630000000 build-user-ns/op 6030000000 build-sys-ns/op
+BenchmarkSemver 1 2009999999 build-real-ns/op 9130000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 13340000000 build-real-ns/op 60110000000 build-user-ns/op 4510000000 build-sys-ns/op
+BenchmarkGonum_path 1 4120000000 build-real-ns/op 17180000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 17880000000 build-real-ns/op 91670000000 build-user-ns/op 6240000000 build-sys-ns/op
+BenchmarkGonum_topo 1 4110000000 build-real-ns/op 17520000000 build-user-ns/op 1550000000 build-sys-ns/op
+BenchmarkSpexs2 1 2580000000 build-real-ns/op 9880000000 build-user-ns/op 930000000 build-sys-ns/op
+BenchmarkCapnproto2 1 5230000000 build-real-ns/op 16920000000 build-user-ns/op 1630000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3960000000 build-real-ns/op 16490000000 build-user-ns/op 1210000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 3670000000 build-real-ns/op 12380000000 build-user-ns/op 940000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 1920000000 build-real-ns/op 9150000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 11460000000 build-real-ns/op 27700000000 build-user-ns/op 2870000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 2040000000 build-real-ns/op 9390000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkGonum_mat 1 4340000000 build-real-ns/op 17410000000 build-user-ns/op 1350000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 2790000000 build-real-ns/op 11890000000 build-user-ns/op 1240000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 3090000000 build-real-ns/op 11340000000 build-user-ns/op 1120000000 build-sys-ns/op
+BenchmarkGonum_community 1 4300000000 build-real-ns/op 17230000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 14120000000 build-real-ns/op 36630000000 build-user-ns/op 3430000000 build-sys-ns/op
+BenchmarkKanzi 1 2040000000 build-real-ns/op 9810000000 build-user-ns/op 870000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 2050000000 build-real-ns/op 9220000000 build-user-ns/op 980000000 build-sys-ns/op
+BenchmarkMinio 1 52370000000 build-real-ns/op 145070000000 build-user-ns/op 11230000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 1870000000 build-real-ns/op 8320000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkCespare_mph 1 1850000000 build-real-ns/op 8210000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 8570000000 build-real-ns/op 17310000000 build-user-ns/op 1340000000 build-sys-ns/op
+BenchmarkAws_jsonutil 1 5110000000 build-real-ns/op 23480000000 build-user-ns/op 2220000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 4440000000 build-real-ns/op 16420000000 build-user-ns/op 1320000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 1910000000 build-real-ns/op 8930000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 1900000000 build-real-ns/op 8500000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 12380000000 build-real-ns/op 30240000000 build-user-ns/op 2910000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 1870000000 build-real-ns/op 8340000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 3410000000 build-real-ns/op 10160000000 build-user-ns/op 950000000 build-sys-ns/op
+BenchmarkBindata 1 2210000000 build-real-ns/op 11040000000 build-user-ns/op 940000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T030626.Basel.stdout b/benchfmt/testdata/bent/20200101T030626.Basel.stdout
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Basel.stdout
diff --git a/benchfmt/testdata/bent/20200101T030626.Tipl.benchdwarf b/benchfmt/testdata/bent/20200101T030626.Tipl.benchdwarf
new file mode 100644
index 0000000..a4d5926
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Tipl.benchdwarf
@@ -0,0 +1,306 @@
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-140954
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-140954
+tmp stmt args quality wc =  2 tmp-bench-dwarf-140954
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-140954
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.898580 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9949 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-146687
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-146687
+tmp stmt args quality wc =  2 tmp-bench-dwarf-146687
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-146687
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.856681 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-147622
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-147622
+tmp stmt args quality wc =  2 tmp-bench-dwarf-147622
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-147622
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.942890 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-151245
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-151245
+tmp stmt args quality wc =  2 tmp-bench-dwarf-151245
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-151245
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.941704 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-160021
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-160021
+tmp stmt args quality wc =  2 tmp-bench-dwarf-160021
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-160021
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.901810 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9933 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-162508
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-162508
+tmp stmt args quality wc =  2 tmp-bench-dwarf-162508
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-162508
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.938139 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9957 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-163604
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-163604
+tmp stmt args quality wc =  2 tmp-bench-dwarf-163604
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-163604
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.939811 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9957 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-170716
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-170716
+tmp stmt args quality wc =  2 tmp-bench-dwarf-170716
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-170716
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.847627 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-173632
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-173632
+tmp stmt args quality wc =  2 tmp-bench-dwarf-173632
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-173632
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.954710 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9960 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-174584
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-174584
+tmp stmt args quality wc =  2 tmp-bench-dwarf-174584
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-174584
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.943617 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-183131
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-183131
+tmp stmt args quality wc =  2 tmp-bench-dwarf-183131
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-183131
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.909854 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9904 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-185494
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-185494
+tmp stmt args quality wc =  2 tmp-bench-dwarf-185494
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-185494
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.899766 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-187424
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-187424
+tmp stmt args quality wc =  2 tmp-bench-dwarf-187424
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-187424
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.901268 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9965 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-189733
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-189733
+tmp stmt args quality wc =  2 tmp-bench-dwarf-189733
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-189733
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.937335 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-192217
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-192217
+tmp stmt args quality wc =  2 tmp-bench-dwarf-192217
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-192217
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.945850 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-197622
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-197622
+tmp stmt args quality wc =  2 tmp-bench-dwarf-197622
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-197622
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.920325 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9953 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-201043
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-201043
+tmp stmt args quality wc =  2 tmp-bench-dwarf-201043
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-201043
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.928230 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9941 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-202560
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-202560
+tmp stmt args quality wc =  2 tmp-bench-dwarf-202560
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-202560
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.941010 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-203576
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-203576
+tmp stmt args quality wc =  2 tmp-bench-dwarf-203576
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-203576
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.869827 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9962 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-208280
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-208280
+tmp stmt args quality wc =  2 tmp-bench-dwarf-208280
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-208280
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.944068 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-209678
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-209678
+tmp stmt args quality wc =  2 tmp-bench-dwarf-209678
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-209678
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.923672 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9948 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-215176
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-215176
+tmp stmt args quality wc =  2 tmp-bench-dwarf-215176
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-215176
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.942268 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9946 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-216109
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-216109
+tmp stmt args quality wc =  2 tmp-bench-dwarf-216109
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-216109
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.912531 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9947 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-223565
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-223565
+tmp stmt args quality wc =  2 tmp-bench-dwarf-223565
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-223565
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.948920 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9960 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-230046
+tmp dwarf args quality wc =  475 tmp-bench-dwarf-230046
+tmp stmt args quality wc =  2 tmp-bench-dwarf-230046
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-230046
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.897499 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9921 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-231026
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-231026
+tmp stmt args quality wc =  2 tmp-bench-dwarf-231026
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-231026
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.943242 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-233031
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-233031
+tmp stmt args quality wc =  2 tmp-bench-dwarf-233031
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-233031
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.942136 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9929 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-234375
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-234375
+tmp stmt args quality wc =  2 tmp-bench-dwarf-234375
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-234375
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.909313 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-236480
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-236480
+tmp stmt args quality wc =  2 tmp-bench-dwarf-236480
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-236480
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.879225 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9897 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-238013
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-238013
+tmp stmt args quality wc =  2 tmp-bench-dwarf-238013
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-238013
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.940188 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9954 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-239631
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-239631
+tmp stmt args quality wc =  2 tmp-bench-dwarf-239631
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-239631
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.940000 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9955 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-247437
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-247437
+tmp stmt args quality wc =  2 tmp-bench-dwarf-247437
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-247437
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.897598 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-252722
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-252722
+tmp stmt args quality wc =  2 tmp-bench-dwarf-252722
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-252722
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.879942 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9965 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-254551
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-254551
+tmp stmt args quality wc =  2 tmp-bench-dwarf-254551
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-254551
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.944183 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9951 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T030626.Tipl.benchsize b/benchfmt/testdata/bent/20200101T030626.Tipl.benchsize
new file mode 100644
index 0000000..54e2f87
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Tipl.benchsize
@@ -0,0 +1,272 @@
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4601804 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1492875 text-bytes
+Benchmarkbenhoyt_goawk_data 1 34096 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 715232 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1065878 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 1015927 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33818331 total-bytes
+Benchmarkk8s_schedulercache_text 1 13349497 text-bytes
+Benchmarkk8s_schedulercache_data 1 64624 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4455203 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8719246 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6578787 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3320097 total-bytes
+Benchmarkdustin_broadcast_text 1 1036489 text-bytes
+Benchmarkdustin_broadcast_data 1 31792 data-bytes
+Benchmarkdustin_broadcast_rodata 1 476873 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 748201 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 762318 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3501543 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1108555 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32848 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 506343 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 782738 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 799155 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11727299 total-bytes
+Benchmarkethereum_storage_text 1 4257009 text-bytes
+Benchmarkethereum_storage_data 1 46800 data-bytes
+Benchmarkethereum_storage_rodata 1 1689680 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2803075 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2448413 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3866851 total-bytes
+Benchmarkgonum_path_text 1 1237705 text-bytes
+Benchmarkgonum_path_data 1 50800 data-bytes
+Benchmarkgonum_path_rodata 1 565119 rodata-bytes
+Benchmarkgonum_path_pclntab 1 869204 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 853599 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4296435 total-bytes
+Benchmarkbindata_text 1 1428793 text-bytes
+Benchmarkbindata_data 1 34032 data-bytes
+Benchmarkbindata_rodata 1 607842 rodata-bytes
+Benchmarkbindata_pclntab 1 979103 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 970837 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 35989941 total-bytes
+Benchmarkk8s_api_text 1 14211865 text-bytes
+Benchmarkk8s_api_data 1 61776 data-bytes
+Benchmarkk8s_api_rodata 1 4513748 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9585407 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6967859 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 4985808 total-bytes
+Benchmarkgonum_blas_native_text 1 1863737 text-bytes
+Benchmarkgonum_blas_native_data 1 72760 data-bytes
+Benchmarkgonum_blas_native_rodata 1 717809 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 988343 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 1033111 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3662930 total-bytes
+Benchmarkgtank_blake2s_text 1 1186105 text-bytes
+Benchmarkgtank_blake2s_data 1 33136 data-bytes
+Benchmarkgtank_blake2s_rodata 1 513346 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 824737 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 840238 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7744851 total-bytes
+Benchmarkethereum_trie_text 1 2758945 text-bytes
+Benchmarkethereum_trie_data 1 38096 data-bytes
+Benchmarkethereum_trie_rodata 1 1075048 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1872135 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1679194 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 11963809 total-bytes
+Benchmarkethereum_ethash_text 1 4287745 text-bytes
+Benchmarkethereum_ethash_data 1 53168 data-bytes
+Benchmarkethereum_ethash_rodata 1 1825160 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2798161 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2479959 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10191490 total-bytes
+Benchmarkuber_zap_text 1 3596649 text-bytes
+Benchmarkuber_zap_data 1 45904 data-bytes
+Benchmarkuber_zap_rodata 1 1467326 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2394147 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2232337 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3640833 total-bytes
+Benchmarkethereum_bitutil_text 1 1166121 text-bytes
+Benchmarkethereum_bitutil_data 1 33616 data-bytes
+Benchmarkethereum_bitutil_rodata 1 507232 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 823238 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 837450 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3856870 total-bytes
+Benchmarksemver_text 1 1254601 text-bytes
+Benchmarksemver_data 1 33872 data-bytes
+Benchmarksemver_rodata 1 567505 rodata-bytes
+Benchmarksemver_pclntab 1 869867 pclntab-bytes
+Benchmarksemver_zdebug_total 1 865237 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4518473 total-bytes
+Benchmarkrcrowley_metrics_text 1 1463129 text-bytes
+Benchmarkrcrowley_metrics_data 1 35472 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 633836 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1099297 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 998226 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 4087937 total-bytes
+Benchmarkericlagergren_decimal_text 1 1316665 text-bytes
+Benchmarkericlagergren_decimal_data 1 34512 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 568480 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 932594 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 944130 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3453522 total-bytes
+Benchmarkgonum_traverse_text 1 1069881 text-bytes
+Benchmarkgonum_traverse_data 1 33840 data-bytes
+Benchmarkgonum_traverse_rodata 1 507404 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 775109 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 784088 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 5030907 total-bytes
+Benchmarkcommonmark_markdown_text 1 1621945 text-bytes
+Benchmarkcommonmark_markdown_data 1 51472 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 824672 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1117752 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1089438 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3403668 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1080953 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32560 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 480351 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 769712 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 770680 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 6400476 total-bytes
+Benchmarkgonum_mat_text 1 2522681 text-bytes
+Benchmarkgonum_mat_data 1 54480 data-bytes
+Benchmarkgonum_mat_rodata 1 839423 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1340398 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1344606 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3764048 total-bytes
+Benchmarkspexs2_text 1 1208697 text-bytes
+Benchmarkspexs2_data 1 32752 data-bytes
+Benchmarkspexs2_rodata 1 534898 rodata-bytes
+Benchmarkspexs2_pclntab 1 854583 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 866374 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4521950 total-bytes
+Benchmarkdustin_humanize_text 1 1499721 text-bytes
+Benchmarkdustin_humanize_data 1 34224 data-bytes
+Benchmarkdustin_humanize_rodata 1 643327 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1050935 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 1014455 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 4706015 total-bytes
+Benchmarkcapnproto2_text 1 1598249 text-bytes
+Benchmarkcapnproto2_data 1 36400 data-bytes
+Benchmarkcapnproto2_rodata 1 730464 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1074838 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 985031 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 51533518 total-bytes
+Benchmarkminio_text 1 17646801 text-bytes
+Benchmarkminio_data 1 132280 data-bytes
+Benchmarkminio_rodata 1 7448792 rodata-bytes
+Benchmarkminio_pclntab 1 11077227 pclntab-bytes
+Benchmarkminio_zdebug_total 1 9242747 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3304543 total-bytes
+Benchmarkcespare_xxhash_text 1 1036281 text-bytes
+Benchmarkcespare_xxhash_data 1 31696 data-bytes
+Benchmarkcespare_xxhash_rodata 1 470084 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 745814 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 756444 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3883122 total-bytes
+Benchmarkkanzi_text 1 1219497 text-bytes
+Benchmarkkanzi_data 1 32272 data-bytes
+Benchmarkkanzi_rodata 1 518276 rodata-bytes
+Benchmarkkanzi_pclntab 1 843535 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 887330 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7227298 total-bytes
+Benchmarkgonum_lapack_native_text 1 2665849 text-bytes
+Benchmarkgonum_lapack_native_data 1 36400 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1415232 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1268270 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1381459 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7651924 total-bytes
+Benchmarkethereum_corevm_text 1 2561265 text-bytes
+Benchmarkethereum_corevm_data 1 44272 data-bytes
+Benchmarkethereum_corevm_rodata 1 1313896 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1736854 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1557440 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 4073955 total-bytes
+Benchmarkgonum_community_text 1 1364057 text-bytes
+Benchmarkgonum_community_data 1 56560 data-bytes
+Benchmarkgonum_community_rodata 1 583369 rodata-bytes
+Benchmarkgonum_community_pclntab 1 890490 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 889679 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3756489 total-bytes
+Benchmarkgonum_topo_text 1 1193785 text-bytes
+Benchmarkgonum_topo_data 1 39568 data-bytes
+Benchmarkgonum_topo_rodata 1 555720 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 838945 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 841119 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 15893284 total-bytes
+Benchmarkethereum_core_text 1 5443857 text-bytes
+Benchmarkethereum_core_data 1 53488 data-bytes
+Benchmarkethereum_core_rodata 1 3272360 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3515991 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 2964456 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23052426 total-bytes
+Benchmarkhugo_helpers_text 1 8854105 text-bytes
+Benchmarkhugo_helpers_data 1 136768 data-bytes
+Benchmarkhugo_helpers_rodata 1 4234560 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5052357 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4118969 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3304100 total-bytes
+Benchmarkcespare_mph_text 1 1034265 text-bytes
+Benchmarkcespare_mph_data 1 32240 data-bytes
+Benchmarkcespare_mph_rodata 1 471261 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 743762 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 758192 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T030626.Tipl.build b/benchfmt/testdata/bent/20200101T030626.Tipl.build
new file mode 100644
index 0000000..1655f06
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Tipl.build
@@ -0,0 +1,36 @@
+goos: linux
+goarch: amd64
+BenchmarkBenhoyt_goawk 1 2370000000 build-real-ns/op 9440000000 build-user-ns/op 1060000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 17730000000 build-real-ns/op 86260000000 build-user-ns/op 6140000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 1910000000 build-real-ns/op 8560000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 1970000000 build-real-ns/op 9070000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 14160000000 build-real-ns/op 36540000000 build-user-ns/op 3280000000 build-sys-ns/op
+BenchmarkGonum_path 1 4130000000 build-real-ns/op 17540000000 build-user-ns/op 1230000000 build-sys-ns/op
+BenchmarkBindata 1 2230000000 build-real-ns/op 10990000000 build-user-ns/op 970000000 build-sys-ns/op
+BenchmarkK8s_api 1 17560000000 build-real-ns/op 86510000000 build-user-ns/op 6080000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 3720000000 build-real-ns/op 12440000000 build-user-ns/op 970000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 1960000000 build-real-ns/op 9130000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 12050000000 build-real-ns/op 28070000000 build-user-ns/op 2680000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 12870000000 build-real-ns/op 35220000000 build-user-ns/op 3250000000 build-sys-ns/op
+BenchmarkUber_zap 1 6460000000 build-real-ns/op 24450000000 build-user-ns/op 2320000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 3530000000 build-real-ns/op 10320000000 build-user-ns/op 930000000 build-sys-ns/op
+BenchmarkSemver 1 2020000000 build-real-ns/op 9360000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 2800000000 build-real-ns/op 12090000000 build-user-ns/op 1070000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 3110000000 build-real-ns/op 11720000000 build-user-ns/op 970000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3900000000 build-real-ns/op 16480000000 build-user-ns/op 1280000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 8420000000 build-real-ns/op 17540000000 build-user-ns/op 1180000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 1960000000 build-real-ns/op 8700000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkGonum_mat 1 4330000000 build-real-ns/op 17930000000 build-user-ns/op 1180000000 build-sys-ns/op
+BenchmarkSpexs2 1 2640000000 build-real-ns/op 10070000000 build-user-ns/op 890000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 2070000000 build-real-ns/op 9530000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkCapnproto2 1 5190000000 build-real-ns/op 17290000000 build-user-ns/op 1560000000 build-sys-ns/op
+BenchmarkMinio 1 50670000000 build-real-ns/op 143930000000 build-user-ns/op 10920000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 1890000000 build-real-ns/op 8400000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkKanzi 1 2090000000 build-real-ns/op 10000000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 4520000000 build-real-ns/op 16880000000 build-user-ns/op 1170000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 12100000000 build-real-ns/op 30240000000 build-user-ns/op 2800000000 build-sys-ns/op
+BenchmarkGonum_community 1 4170000000 build-real-ns/op 17380000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkGonum_topo 1 4120000000 build-real-ns/op 17910000000 build-user-ns/op 1340000000 build-sys-ns/op
+BenchmarkEthereum_core 1 13900000000 build-real-ns/op 41610000000 build-user-ns/op 3730000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 12910000000 build-real-ns/op 59680000000 build-user-ns/op 4360000000 build-sys-ns/op
+BenchmarkCespare_mph 1 1910000000 build-real-ns/op 8370000000 build-user-ns/op 650000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T030626.Tipl.stdout b/benchfmt/testdata/bent/20200101T030626.Tipl.stdout
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T030626.Tipl.stdout
diff --git a/benchfmt/testdata/bent/20200101T213604.Base.benchdwarf b/benchfmt/testdata/bent/20200101T213604.Base.benchdwarf
new file mode 100644
index 0000000..842e327
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Base.benchdwarf
@@ -0,0 +1,306 @@
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-135465
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-135465
+tmp stmt args quality wc =  2 tmp-bench-dwarf-135465
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-135465
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.855791 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9975 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-137681
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-137681
+tmp stmt args quality wc =  2 tmp-bench-dwarf-137681
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-137681
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.936547 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9922 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-138983
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-138983
+tmp stmt args quality wc =  2 tmp-bench-dwarf-138983
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-138983
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.899337 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9955 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-139918
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-139918
+tmp stmt args quality wc =  2 tmp-bench-dwarf-139918
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-139918
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.54 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.923156 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-141119
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-141119
+tmp stmt args quality wc =  2 tmp-bench-dwarf-141119
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-141119
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.896651 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9922 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-141440
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-141440
+tmp stmt args quality wc =  2 tmp-bench-dwarf-141440
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-141440
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.937330 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9907 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-142689
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-142689
+tmp stmt args quality wc =  2 tmp-bench-dwarf-142689
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-142689
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.936311 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9941 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-143417
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-143417
+tmp stmt args quality wc =  2 tmp-bench-dwarf-143417
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-143417
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.54 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.900986 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9937 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-144598
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-144598
+tmp stmt args quality wc =  2 tmp-bench-dwarf-144598
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-144598
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.950209 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9946 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-144828
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-144828
+tmp stmt args quality wc =  2 tmp-bench-dwarf-144828
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-144828
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.934901 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9925 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-145800
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-145800
+tmp stmt args quality wc =  2 tmp-bench-dwarf-145800
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-145800
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.932893 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-146032
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-146032
+tmp stmt args quality wc =  2 tmp-bench-dwarf-146032
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-146032
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.906996 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-147627
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-147627
+tmp stmt args quality wc =  2 tmp-bench-dwarf-147627
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-147627
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.898855 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9921 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-148532
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-148532
+tmp stmt args quality wc =  2 tmp-bench-dwarf-148532
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-148532
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.933529 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-155209
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-155209
+tmp stmt args quality wc =  2 tmp-bench-dwarf-155209
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-155209
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.870820 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9886 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-158717
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-158717
+tmp stmt args quality wc =  2 tmp-bench-dwarf-158717
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-158717
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.904707 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9919 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-160340
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-160340
+tmp stmt args quality wc =  2 tmp-bench-dwarf-160340
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-160340
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.937843 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-160670
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-160670
+tmp stmt args quality wc =  2 tmp-bench-dwarf-160670
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-160670
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.923951 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9920 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-163004
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-163004
+tmp stmt args quality wc =  2 tmp-bench-dwarf-163004
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-163004
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.846591 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9974 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-163301
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-163301
+tmp stmt args quality wc =  2 tmp-bench-dwarf-163301
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-163301
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.937363 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-165190
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-165190
+tmp stmt args quality wc =  2 tmp-bench-dwarf-165190
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-165190
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.903830 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9935 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-166179
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-166179
+tmp stmt args quality wc =  2 tmp-bench-dwarf-166179
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-166179
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.940220 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-169557
+tmp dwarf args quality wc =  474 tmp-bench-dwarf-169557
+tmp stmt args quality wc =  2 tmp-bench-dwarf-169557
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-169557
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.892932 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9914 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-171269
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-171269
+tmp stmt args quality wc =  2 tmp-bench-dwarf-171269
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-171269
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.904049 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9886 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-173668
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-173668
+tmp stmt args quality wc =  2 tmp-bench-dwarf-173668
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-173668
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.934111 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-175319
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-175319
+tmp stmt args quality wc =  2 tmp-bench-dwarf-175319
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-175319
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.877448 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9956 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-175664
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-175664
+tmp stmt args quality wc =  2 tmp-bench-dwarf-175664
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-175664
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.862729 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9949 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-178540
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-178540
+tmp stmt args quality wc =  2 tmp-bench-dwarf-178540
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-178540
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.926660 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-179324
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-179324
+tmp stmt args quality wc =  2 tmp-bench-dwarf-179324
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-179324
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.895798 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9928 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-179715
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-179715
+tmp stmt args quality wc =  2 tmp-bench-dwarf-179715
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-179715
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.937633 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-179966
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-179966
+tmp stmt args quality wc =  2 tmp-bench-dwarf-179966
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-179966
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.930941 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-181799
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-181799
+tmp stmt args quality wc =  2 tmp-bench-dwarf-181799
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-181799
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.934455 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9923 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-182910
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-182910
+tmp stmt args quality wc =  2 tmp-bench-dwarf-182910
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-182910
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.888828 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9925 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-183191
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-183191
+tmp stmt args quality wc =  2 tmp-bench-dwarf-183191
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-183191
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.61 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.936266 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9935 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T213604.Base.benchsize b/benchfmt/testdata/bent/20200101T213604.Base.benchsize
new file mode 100644
index 0000000..23b29be
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Base.benchsize
@@ -0,0 +1,272 @@
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33871255 total-bytes
+Benchmarkk8s_schedulercache_text 1 13515628 text-bytes
+Benchmarkk8s_schedulercache_data 1 64400 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4672972 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8773267 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6255486 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3196021 total-bytes
+Benchmarkcespare_xxhash_text 1 1020220 text-bytes
+Benchmarkcespare_xxhash_data 1 31536 data-bytes
+Benchmarkcespare_xxhash_rodata 1 499738 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 724767 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 716848 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10197763 total-bytes
+Benchmarkuber_zap_text 1 3651836 text-bytes
+Benchmarkuber_zap_data 1 45712 data-bytes
+Benchmarkuber_zap_rodata 1 1546505 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2384218 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2176977 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 4024070 total-bytes
+Benchmarkgonum_community_text 1 1362076 text-bytes
+Benchmarkgonum_community_data 1 56432 data-bytes
+Benchmarkgonum_community_rodata 1 632157 rodata-bytes
+Benchmarkgonum_community_pclntab 1 880331 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 864590 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 11920780 total-bytes
+Benchmarkethereum_ethash_text 1 4317169 text-bytes
+Benchmarkethereum_ethash_data 1 53008 data-bytes
+Benchmarkethereum_ethash_rodata 1 1901352 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2772818 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2419375 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3775953 total-bytes
+Benchmarkkanzi_text 1 1203180 text-bytes
+Benchmarkkanzi_data 1 32112 data-bytes
+Benchmarkkanzi_rodata 1 550964 rodata-bytes
+Benchmarkkanzi_pclntab 1 821344 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 847449 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 5086703 total-bytes
+Benchmarkcapnproto2_text 1 1686940 text-bytes
+Benchmarkcapnproto2_data 1 36272 data-bytes
+Benchmarkcapnproto2_rodata 1 956654 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1170663 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 1015809 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 6771368 total-bytes
+Benchmarkgonum_mat_text 1 2623820 text-bytes
+Benchmarkgonum_mat_data 1 54352 data-bytes
+Benchmarkgonum_mat_rodata 1 1015214 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1403687 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1435979 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 4878270 total-bytes
+Benchmarkgonum_blas_native_text 1 1744108 text-bytes
+Benchmarkgonum_blas_native_data 1 72600 data-bytes
+Benchmarkgonum_blas_native_rodata 1 839845 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 976336 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 996361 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3210483 total-bytes
+Benchmarkdustin_broadcast_text 1 1022924 text-bytes
+Benchmarkdustin_broadcast_data 1 31632 data-bytes
+Benchmarkdustin_broadcast_rodata 1 504708 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 727130 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 721033 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3666661 total-bytes
+Benchmarkgonum_topo_text 1 1186620 text-bytes
+Benchmarkgonum_topo_data 1 39408 data-bytes
+Benchmarkgonum_topo_rodata 1 592548 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 820698 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 801355 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4443686 total-bytes
+Benchmarkdustin_humanize_text 1 1490092 text-bytes
+Benchmarkdustin_humanize_data 1 34064 data-bytes
+Benchmarkdustin_humanize_rodata 1 697165 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1031990 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 972271 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11668621 total-bytes
+Benchmarkethereum_storage_text 1 4278705 text-bytes
+Benchmarkethereum_storage_data 1 46640 data-bytes
+Benchmarkethereum_storage_rodata 1 1765008 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2774644 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2383840 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3344810 total-bytes
+Benchmarkgonum_traverse_text 1 1057196 text-bytes
+Benchmarkgonum_traverse_data 1 33680 data-bytes
+Benchmarkgonum_traverse_rodata 1 535022 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 754246 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 742914 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7661986 total-bytes
+Benchmarkethereum_corevm_text 1 2580433 text-bytes
+Benchmarkethereum_corevm_data 1 44080 data-bytes
+Benchmarkethereum_corevm_rodata 1 1390344 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1733129 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1536875 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4451738 total-bytes
+Benchmarkrcrowley_metrics_text 1 1461580 text-bytes
+Benchmarkrcrowley_metrics_data 1 35280 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 673346 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1091032 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 963195 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3192511 total-bytes
+Benchmarkcespare_mph_text 1 1019884 text-bytes
+Benchmarkcespare_mph_data 1 32080 data-bytes
+Benchmarkcespare_mph_rodata 1 498964 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 722859 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 715712 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 3972977 total-bytes
+Benchmarkericlagergren_decimal_text 1 1302588 text-bytes
+Benchmarkericlagergren_decimal_data 1 34352 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 600253 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 910506 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 894966 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 35924683 total-bytes
+Benchmarkk8s_api_text 1 14324380 text-bytes
+Benchmarkk8s_api_data 1 61520 data-bytes
+Benchmarkk8s_api_rodata 1 4697659 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9604664 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6648818 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3572208 total-bytes
+Benchmarkgtank_blake2s_text 1 1174124 text-bytes
+Benchmarkgtank_blake2s_data 1 32944 data-bytes
+Benchmarkgtank_blake2s_rodata 1 543943 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 807594 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 809499 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7254405 total-bytes
+Benchmarkgonum_lapack_native_text 1 2596412 text-bytes
+Benchmarkgonum_lapack_native_data 1 36176 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1540672 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1288583 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1392830 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3762700 total-bytes
+Benchmarksemver_text 1 1237708 text-bytes
+Benchmarksemver_data 1 33680 data-bytes
+Benchmarksemver_rodata 1 603167 rodata-bytes
+Benchmarksemver_pclntab 1 857276 pclntab-bytes
+Benchmarksemver_zdebug_total 1 826277 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 53434702 total-bytes
+Benchmarkminio_text 1 18323761 text-bytes
+Benchmarkminio_data 1 132120 data-bytes
+Benchmarkminio_rodata 1 8198456 rodata-bytes
+Benchmarkminio_pclntab 1 11449085 pclntab-bytes
+Benchmarkminio_zdebug_total 1 9404174 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7673866 total-bytes
+Benchmarkethereum_trie_text 1 2763777 text-bytes
+Benchmarkethereum_trie_data 1 37872 data-bytes
+Benchmarkethereum_trie_rodata 1 1127880 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1849950 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1634059 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3289118 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1060252 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32400 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 509178 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 750377 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 728851 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23596126 total-bytes
+Benchmarkhugo_helpers_text 1 9162604 text-bytes
+Benchmarkhugo_helpers_data 1 136576 data-bytes
+Benchmarkhugo_helpers_rodata 1 4586720 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5063303 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4052224 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 5007930 total-bytes
+Benchmarkcommonmark_markdown_text 1 1634412 text-bytes
+Benchmarkcommonmark_markdown_data 1 51280 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 868128 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1116713 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1072925 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3793620 total-bytes
+Benchmarkgonum_path_text 1 1232300 text-bytes
+Benchmarkgonum_path_data 1 50608 data-bytes
+Benchmarkgonum_path_rodata 1 606402 rodata-bytes
+Benchmarkgonum_path_pclntab 1 854349 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 820833 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4528375 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1484014 text-bytes
+Benchmarkbenhoyt_goawk_data 1 33936 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 760256 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1049605 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 983924 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3649027 total-bytes
+Benchmarkspexs2_text 1 1195340 text-bytes
+Benchmarkspexs2_data 1 32560 data-bytes
+Benchmarkspexs2_rodata 1 563726 rodata-bytes
+Benchmarkspexs2_pclntab 1 832632 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 819241 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3517038 total-bytes
+Benchmarkethereum_bitutil_text 1 1146508 text-bytes
+Benchmarkethereum_bitutil_data 1 33488 data-bytes
+Benchmarkethereum_bitutil_rodata 1 534655 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 801247 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 789264 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3410102 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1102094 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32688 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 541066 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 767035 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 756571 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 16217495 total-bytes
+Benchmarkethereum_core_text 1 5569617 text-bytes
+Benchmarkethereum_core_data 1 53328 data-bytes
+Benchmarkethereum_core_rodata 1 3454184 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3560608 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 2998951 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4182462 total-bytes
+Benchmarkbindata_text 1 1412380 text-bytes
+Benchmarkbindata_data 1 33872 data-bytes
+Benchmarkbindata_rodata 1 642002 rodata-bytes
+Benchmarkbindata_pclntab 1 953752 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 925860 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T213604.Base.build b/benchfmt/testdata/bent/20200101T213604.Base.build
new file mode 100644
index 0000000..358c6f9
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Base.build
@@ -0,0 +1,852 @@
+goos: linux
+goarch: amd64
+BenchmarkK8s_schedulercache 1 15260000000 build-real-ns/op 68470000000 build-user-ns/op 4210000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkUber_zap 1 2940000000 build-real-ns/op 4760000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8160000000 build-user-ns/op 910000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10100000000 build-real-ns/op 14150000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1670000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3220000000 build-real-ns/op 7370000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3280000000 build-real-ns/op 9390000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2210000000 build-real-ns/op 4190000000 build-user-ns/op 410000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 370000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3130000000 build-real-ns/op 8450000000 build-user-ns/op 910000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 670000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11800000000 build-real-ns/op 15400000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2970000000 build-real-ns/op 7440000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10460000000 build-real-ns/op 16000000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 530000000 build-real-ns/op 1100000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 340000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1440000000 build-real-ns/op 2009999999 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkK8s_api 1 14200000000 build-real-ns/op 67170000000 build-user-ns/op 4040000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 520000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3270000000 build-real-ns/op 7440000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkSemver 1 390000000 build-real-ns/op 700000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkMinio 1 51130000000 build-real-ns/op 117630000000 build-user-ns/op 8940000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9940000000 build-real-ns/op 13630000000 build-user-ns/op 1230000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 540000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10680000000 build-real-ns/op 35460000000 build-user-ns/op 2790000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7190000000 build-real-ns/op 8370000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkGonum_path 1 3120000000 build-real-ns/op 8270000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1170000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkSpexs2 1 1150000000 build-real-ns/op 1170000000 build-user-ns/op 330000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1840000000 build-real-ns/op 760000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 490000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11820000000 build-real-ns/op 20780000000 build-user-ns/op 1980000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 670000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 650000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 420000000 build-user-ns/op 40000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 600000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 570000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3090000000 build-real-ns/op 7370000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 530000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkK8s_api 1 13720000000 build-real-ns/op 67340000000 build-user-ns/op 4330000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11840000000 build-real-ns/op 20790000000 build-user-ns/op 2130000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 530000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7160000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1880000000 build-real-ns/op 850000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7150000000 build-real-ns/op 8300000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 430000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8230000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkUber_zap 1 3090000000 build-real-ns/op 4660000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14920000000 build-real-ns/op 69410000000 build-user-ns/op 4019999999 build-sys-ns/op
+BenchmarkGonum_topo 1 3150000000 build-real-ns/op 8370000000 build-user-ns/op 940000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1430000000 build-real-ns/op 2020000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 650000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1210000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11520000000 build-real-ns/op 15250000000 build-user-ns/op 1660000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10790000000 build-real-ns/op 35800000000 build-user-ns/op 2840000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3470000000 build-real-ns/op 9320000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3290000000 build-real-ns/op 7650000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10330000000 build-real-ns/op 14400000000 build-user-ns/op 1260000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9870000000 build-real-ns/op 13510000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10360000000 build-real-ns/op 16079999999 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkGonum_path 1 3110000000 build-real-ns/op 8180000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 950000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkKanzi 1 580000000 build-real-ns/op 1660000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2250000000 build-real-ns/op 4370000000 build-user-ns/op 370000000 build-sys-ns/op
+BenchmarkMinio 1 50530000000 build-real-ns/op 118130000000 build-user-ns/op 8620000000 build-sys-ns/op
+BenchmarkSpexs2 1 1060000000 build-real-ns/op 1210000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11770000000 build-real-ns/op 15270000000 build-user-ns/op 1650000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2240000000 build-real-ns/op 4160000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3280000000 build-real-ns/op 7410000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 610000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 540000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1740000000 build-real-ns/op 790000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkK8s_api 1 13510000000 build-real-ns/op 67080000000 build-user-ns/op 4040000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 640000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7230000000 build-real-ns/op 8400000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10350000000 build-real-ns/op 14020000000 build-user-ns/op 1450000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10310000000 build-real-ns/op 15850000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3050000000 build-real-ns/op 7630000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10190000000 build-real-ns/op 35710000000 build-user-ns/op 2650000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 610000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_topo 1 2820000000 build-real-ns/op 8530000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1080000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_path 1 3080000000 build-real-ns/op 8240000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8360000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3260000000 build-real-ns/op 7300000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1240000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3360000000 build-real-ns/op 9310000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11560000000 build-real-ns/op 20810000000 build-user-ns/op 1970000000 build-sys-ns/op
+BenchmarkMinio 1 50740000000 build-real-ns/op 117790000000 build-user-ns/op 8620000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1420000000 build-real-ns/op 1940000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1180000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14740000000 build-real-ns/op 68720000000 build-user-ns/op 4040000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 390000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 510000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkUber_zap 1 3030000000 build-real-ns/op 4680000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9800000000 build-real-ns/op 13560000000 build-user-ns/op 1220000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3310000000 build-real-ns/op 7330000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkK8s_api 1 14630000000 build-real-ns/op 67640000000 build-user-ns/op 4180000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11770000000 build-real-ns/op 20920000000 build-user-ns/op 1720000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10450000000 build-real-ns/op 15820000000 build-user-ns/op 1570000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3130000000 build-real-ns/op 8039999999 build-user-ns/op 1040000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 410000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1120000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7200000000 build-real-ns/op 8320000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14910000000 build-real-ns/op 68140000000 build-user-ns/op 4390000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1130000000 build-real-ns/op 1940000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 390000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 390000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9960000000 build-real-ns/op 13730000000 build-user-ns/op 1260000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10520000000 build-real-ns/op 14200000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2290000000 build-real-ns/op 4190000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11970000000 build-real-ns/op 15450000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkUber_zap 1 3170000000 build-real-ns/op 4790000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkGonum_community 1 3200000000 build-real-ns/op 8510000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 650000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8109999999 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 650000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 580000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1660000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2610000000 build-real-ns/op 7380000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10970000000 build-real-ns/op 35260000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 660000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3230000000 build-real-ns/op 7280000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkMinio 1 50700000000 build-real-ns/op 118150000000 build-user-ns/op 8640000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1840000000 build-real-ns/op 790000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 510000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3470000000 build-real-ns/op 9360000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkSpexs2 1 1100000000 build-real-ns/op 1260000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1160000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 430000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1130000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7350000000 build-real-ns/op 8530000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkK8s_api 1 14290000000 build-real-ns/op 67200000000 build-user-ns/op 4350000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 490000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11840000000 build-real-ns/op 20470000000 build-user-ns/op 2130000000 build-sys-ns/op
+BenchmarkUber_zap 1 2940000000 build-real-ns/op 4860000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkGonum_community 1 3210000000 build-real-ns/op 8490000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 1900000000 build-user-ns/op 340000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1630000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3290000000 build-real-ns/op 7200000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3360000000 build-real-ns/op 7470000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10550000000 build-real-ns/op 14020000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3470000000 build-real-ns/op 9560000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1200000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkGonum_path 1 2750000000 build-real-ns/op 8290000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8360000000 build-user-ns/op 940000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1140000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 600000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 12040000000 build-real-ns/op 15590000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 560000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 530000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14970000000 build-real-ns/op 68600000000 build-user-ns/op 4280000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2570000000 build-real-ns/op 7280000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10410000000 build-real-ns/op 15940000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1500000000 build-real-ns/op 740000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10880000000 build-real-ns/op 35660000000 build-user-ns/op 2850000000 build-sys-ns/op
+BenchmarkMinio 1 50380000000 build-real-ns/op 118100000000 build-user-ns/op 8940000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2310000000 build-real-ns/op 4250000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9730000000 build-real-ns/op 13670000000 build-user-ns/op 1280000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 400000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8270000000 build-user-ns/op 910000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7540000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 360000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11340000000 build-real-ns/op 20560000000 build-user-ns/op 2060000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1220000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1150000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 490000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1390000000 build-real-ns/op 1930000000 build-user-ns/op 330000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3290000000 build-real-ns/op 7450000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 640000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3440000000 build-real-ns/op 9410000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2220000000 build-real-ns/op 4090000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 570000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1670000000 build-real-ns/op 740000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 12020000000 build-real-ns/op 15240000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1020000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkUber_zap 1 2850000000 build-real-ns/op 4750000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkMinio 1 50140000000 build-real-ns/op 118100000000 build-user-ns/op 8920000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10930000000 build-real-ns/op 35740000000 build-user-ns/op 2800000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3140000000 build-real-ns/op 7230000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkGonum_path 1 3110000000 build-real-ns/op 8230000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkK8s_api 1 14220000000 build-real-ns/op 66740000000 build-user-ns/op 4440000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14560000000 build-real-ns/op 68870000000 build-user-ns/op 4059999999 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 540000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7270000000 build-real-ns/op 8310000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10450000000 build-real-ns/op 16040000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 620000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8090000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9390000000 build-real-ns/op 13500000000 build-user-ns/op 1300000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 630000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10330000000 build-real-ns/op 14180000000 build-user-ns/op 1330000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10460000000 build-real-ns/op 14090000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 670000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkUber_zap 1 2770000000 build-real-ns/op 4590000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_path 1 3140000000 build-real-ns/op 8070000000 build-user-ns/op 960000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2300000000 build-real-ns/op 4110000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3290000000 build-real-ns/op 7270000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2950000000 build-real-ns/op 7550000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_community 1 3190000000 build-real-ns/op 8490000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8380000000 build-user-ns/op 870000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 15010000000 build-real-ns/op 68680000000 build-user-ns/op 4420000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1430000000 build-real-ns/op 760000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 660000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1040000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1180000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10010000000 build-real-ns/op 15880000000 build-user-ns/op 1540000000 build-sys-ns/op
+BenchmarkMinio 1 50720000000 build-real-ns/op 117820000000 build-user-ns/op 8530000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 400000000 build-user-ns/op 50000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 480000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 670000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7230000000 build-real-ns/op 8510000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3170000000 build-real-ns/op 7240000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11600000000 build-real-ns/op 20940000000 build-user-ns/op 1960000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 340000000 build-real-ns/op 480000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 10000000000 build-real-ns/op 13710000000 build-user-ns/op 1260000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11320000000 build-real-ns/op 15180000000 build-user-ns/op 1620000000 build-sys-ns/op
+BenchmarkSpexs2 1 840000000 build-real-ns/op 1220000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10760000000 build-real-ns/op 36030000000 build-user-ns/op 2610000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 2009999999 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9330000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1590000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkK8s_api 1 14240000000 build-real-ns/op 66850000000 build-user-ns/op 4270000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 380000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 540000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3150000000 build-real-ns/op 8600000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10870000000 build-real-ns/op 35700000000 build-user-ns/op 2910000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10440000000 build-real-ns/op 14060000000 build-user-ns/op 1440000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1200000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_path 1 2790000000 build-real-ns/op 8130000000 build-user-ns/op 810000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1850000000 build-real-ns/op 770000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkUber_zap 1 2980000000 build-real-ns/op 4770000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11870000000 build-real-ns/op 20960000000 build-user-ns/op 1720000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1440000000 build-real-ns/op 1920000000 build-user-ns/op 370000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3040000000 build-real-ns/op 7430000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 640000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGonum_community 1 3220000000 build-real-ns/op 8460000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkCespare_mph 1 290000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 680000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 50000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9240000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkMinio 1 50190000000 build-real-ns/op 118120000000 build-user-ns/op 8630000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2940000000 build-real-ns/op 7340000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3220000000 build-real-ns/op 7350000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkSpexs2 1 1080000000 build-real-ns/op 1190000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9480000000 build-real-ns/op 13890000000 build-user-ns/op 1150000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 630000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14960000000 build-real-ns/op 68630000000 build-user-ns/op 4370000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6790000000 build-real-ns/op 8370000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1020000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 440000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10390000000 build-real-ns/op 15940000000 build-user-ns/op 1600000000 build-sys-ns/op
+BenchmarkK8s_api 1 14030000000 build-real-ns/op 66670000000 build-user-ns/op 4510000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 510000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4210000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11870000000 build-real-ns/op 15260000000 build-user-ns/op 1570000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1140000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1640000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11190000000 build-real-ns/op 20480000000 build-user-ns/op 2040000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 630000000 build-real-ns/op 1240000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1240000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 470000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8380000000 build-user-ns/op 810000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1090000000 build-real-ns/op 1900000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10430000000 build-real-ns/op 15930000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10820000000 build-real-ns/op 35800000000 build-user-ns/op 2600000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 590000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10320000000 build-real-ns/op 14000000000 build-user-ns/op 1480000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 640000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 680000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 350000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkK8s_api 1 13820000000 build-real-ns/op 67160000000 build-user-ns/op 4170000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 630000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 10050000000 build-real-ns/op 13580000000 build-user-ns/op 1320000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7290000000 build-real-ns/op 8540000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3440000000 build-real-ns/op 9440000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2430000000 build-real-ns/op 4220000000 build-user-ns/op 410000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1940000000 build-real-ns/op 820000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3130000000 build-real-ns/op 8350000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3320000000 build-real-ns/op 7550000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3200000000 build-real-ns/op 7240000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkMinio 1 50300000000 build-real-ns/op 118060000000 build-user-ns/op 9040000000 build-sys-ns/op
+BenchmarkUber_zap 1 2850000000 build-real-ns/op 4770000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2620000000 build-real-ns/op 7350000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkGonum_path 1 2780000000 build-real-ns/op 8080000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 15000000000 build-real-ns/op 68370000000 build-user-ns/op 4250000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11880000000 build-real-ns/op 15220000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 630000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 430000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2920000000 build-real-ns/op 7300000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10400000000 build-real-ns/op 16020000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14630000000 build-real-ns/op 68330000000 build-user-ns/op 4690000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2240000000 build-real-ns/op 4190000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1220000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1560000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10880000000 build-real-ns/op 35840000000 build-user-ns/op 2710000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9130000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3170000000 build-real-ns/op 7320000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 2060000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11730000000 build-real-ns/op 20650000000 build-user-ns/op 2120000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 700000000 build-user-ns/op 40000000 build-sys-ns/op
+BenchmarkGonum_community 1 3140000000 build-real-ns/op 8380000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkMinio 1 50320000000 build-real-ns/op 117470000000 build-user-ns/op 8720000000 build-sys-ns/op
+BenchmarkSpexs2 1 1080000000 build-real-ns/op 1220000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10420000000 build-real-ns/op 14090000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 400000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9930000000 build-real-ns/op 13740000000 build-user-ns/op 1150000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7210000000 build-real-ns/op 8340000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkUber_zap 1 2890000000 build-real-ns/op 4780000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 510000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3010000000 build-real-ns/op 7420000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1050000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkCespare_mph 1 290000000 build-real-ns/op 370000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_path 1 3170000000 build-real-ns/op 8270000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8350000000 build-user-ns/op 890000000 build-sys-ns/op
+BenchmarkK8s_api 1 14270000000 build-real-ns/op 66370000000 build-user-ns/op 4370000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1980000000 build-real-ns/op 710000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11850000000 build-real-ns/op 15270000000 build-user-ns/op 1640000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 620000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10260000000 build-real-ns/op 35590000000 build-user-ns/op 2640000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1810000000 build-real-ns/op 820000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1440000000 build-real-ns/op 1950000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14860000000 build-real-ns/op 68420000000 build-user-ns/op 4410000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 610000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 640000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 650000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1190000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3060000000 build-real-ns/op 8390000000 build-user-ns/op 880000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3160000000 build-real-ns/op 7270000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11950000000 build-real-ns/op 20740000000 build-user-ns/op 2280000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 10000000000 build-real-ns/op 13660000000 build-user-ns/op 1130000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3310000000 build-real-ns/op 7540000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2220000000 build-real-ns/op 4230000000 build-user-ns/op 400000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 350000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9260000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkUber_zap 1 3000000000 build-real-ns/op 4790000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11690000000 build-real-ns/op 15340000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10390000000 build-real-ns/op 14000000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkGonum_community 1 3150000000 build-real-ns/op 8390000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkSpexs2 1 1060000000 build-real-ns/op 1290000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkMinio 1 49630000000 build-real-ns/op 118540000000 build-user-ns/op 8440000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1120000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 430000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10420000000 build-real-ns/op 15760000000 build-user-ns/op 1640000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1500000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 410000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 480000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7220000000 build-real-ns/op 8410000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkK8s_api 1 14010000000 build-real-ns/op 66910000000 build-user-ns/op 4160000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7470000000 build-user-ns/op 810000000 build-sys-ns/op
+BenchmarkGonum_path 1 3140000000 build-real-ns/op 8280000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 1960000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 650000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3380000000 build-real-ns/op 9410000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6950000000 build-real-ns/op 8510000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 450000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1290000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10420000000 build-real-ns/op 14240000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8260000000 build-user-ns/op 850000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1160000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14990000000 build-real-ns/op 68840000000 build-user-ns/op 3920000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11820000000 build-real-ns/op 15060000000 build-user-ns/op 1890000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 500000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_path 1 3070000000 build-real-ns/op 8240000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkK8s_api 1 14240000000 build-real-ns/op 66700000000 build-user-ns/op 4230000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1600000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 490000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10470000000 build-real-ns/op 15680000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11750000000 build-real-ns/op 21010000000 build-user-ns/op 1770000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 400000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10660000000 build-real-ns/op 35580000000 build-user-ns/op 2710000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8490000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkCespare_mph 1 290000000 build-real-ns/op 420000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 630000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 590000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7380000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 430000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2200000000 build-real-ns/op 4170000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkUber_zap 1 2500000000 build-real-ns/op 4600000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9490000000 build-real-ns/op 13520000000 build-user-ns/op 1340000000 build-sys-ns/op
+BenchmarkMinio 1 50180000000 build-real-ns/op 118400000000 build-user-ns/op 8660000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1110000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3290000000 build-real-ns/op 7400000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1900000000 build-real-ns/op 860000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3200000000 build-real-ns/op 7280000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7190000000 build-real-ns/op 8290000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10120000000 build-real-ns/op 15990000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 11070000000 build-real-ns/op 35830000000 build-user-ns/op 2790000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10520000000 build-real-ns/op 14150000000 build-user-ns/op 1440000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 400000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_path 1 3090000000 build-real-ns/op 8290000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7310000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 340000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkMinio 1 51250000000 build-real-ns/op 117700000000 build-user-ns/op 8860000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkUber_zap 1 3020000000 build-real-ns/op 4820000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9860000000 build-real-ns/op 13780000000 build-user-ns/op 1000000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14920000000 build-real-ns/op 68090000000 build-user-ns/op 4270000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 500000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCespare_mph 1 290000000 build-real-ns/op 410000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3130000000 build-real-ns/op 7350000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11460000000 build-real-ns/op 15210000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3340000000 build-real-ns/op 7470000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1550000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1160000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkSemver 1 970000000 build-real-ns/op 700000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_community 1 3610000000 build-real-ns/op 8280000000 build-user-ns/op 850000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 640000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9200000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 370000000 build-real-ns/op 540000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11440000000 build-real-ns/op 20900000000 build-user-ns/op 1870000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1140000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1830000000 build-real-ns/op 820000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2220000000 build-real-ns/op 4110000000 build-user-ns/op 420000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1430000000 build-real-ns/op 1950000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8510000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkSpexs2 1 1060000000 build-real-ns/op 1130000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkK8s_api 1 13610000000 build-real-ns/op 66600000000 build-user-ns/op 4280000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10410000000 build-real-ns/op 16190000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 640000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1110000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 680000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_api 1 14160000000 build-real-ns/op 66480000000 build-user-ns/op 4190000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10960000000 build-real-ns/op 35830000000 build-user-ns/op 2780000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 400000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9770000000 build-real-ns/op 13760000000 build-user-ns/op 1220000000 build-sys-ns/op
+BenchmarkGonum_path 1 2780000000 build-real-ns/op 8310000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 520000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11560000000 build-real-ns/op 20870000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14820000000 build-real-ns/op 69290000000 build-user-ns/op 4130000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2250000000 build-real-ns/op 4190000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkUber_zap 1 3010000000 build-real-ns/op 4800000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7280000000 build-real-ns/op 8430000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1630000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 670000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1900000000 build-real-ns/op 740000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkSpexs2 1 1100000000 build-real-ns/op 1270000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7350000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3160000000 build-real-ns/op 8480000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkMinio 1 50060000000 build-real-ns/op 117640000000 build-user-ns/op 9170000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 520000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_community 1 3190000000 build-real-ns/op 8440000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1130000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11400000000 build-real-ns/op 15200000000 build-user-ns/op 1640000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3390000000 build-real-ns/op 9330000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 420000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 360000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10460000000 build-real-ns/op 14020000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3080000000 build-real-ns/op 7240000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 480000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3010000000 build-real-ns/op 7670000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 2090000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkK8s_api 1 14140000000 build-real-ns/op 66720000000 build-user-ns/op 4280000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3300000000 build-real-ns/op 7590000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkGonum_path 1 3230000000 build-real-ns/op 8390000000 build-user-ns/op 890000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 410000000 build-real-ns/op 680000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 12130000000 build-real-ns/op 15560000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 650000000 build-real-ns/op 1250000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 310000000 build-real-ns/op 460000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1120000000 build-real-ns/op 2050000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10670000000 build-real-ns/op 16110000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkUber_zap 1 3010000000 build-real-ns/op 4840000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1810000000 build-real-ns/op 770000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 520000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2370000000 build-real-ns/op 4420000000 build-user-ns/op 360000000 build-sys-ns/op
+BenchmarkMinio 1 52200000000 build-real-ns/op 119420000000 build-user-ns/op 8790000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1600000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8460000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9870000000 build-real-ns/op 13710000000 build-user-ns/op 1160000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10540000000 build-real-ns/op 35460000000 build-user-ns/op 2770000000 build-sys-ns/op
+BenchmarkGonum_community 1 3210000000 build-real-ns/op 8480000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1080000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7210000000 build-real-ns/op 8380000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3280000000 build-real-ns/op 7310000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14620000000 build-real-ns/op 68570000000 build-user-ns/op 4170000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11540000000 build-real-ns/op 20640000000 build-user-ns/op 2110000000 build-sys-ns/op
+BenchmarkSpexs2 1 870000000 build-real-ns/op 1250000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkBindata 1 400000000 build-real-ns/op 670000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 630000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9200000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7390000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10340000000 build-real-ns/op 14100000000 build-user-ns/op 1470000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3260000000 build-real-ns/op 7340000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1070000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 650000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_path 1 3070000000 build-real-ns/op 7960000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11200000000 build-real-ns/op 20770000000 build-user-ns/op 1860000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14990000000 build-real-ns/op 68640000000 build-user-ns/op 3980000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3160000000 build-real-ns/op 7300000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10400000000 build-real-ns/op 15950000000 build-user-ns/op 1430000000 build-sys-ns/op
+BenchmarkUber_zap 1 3070000000 build-real-ns/op 4950000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 2000000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 400000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10070000000 build-real-ns/op 14070000000 build-user-ns/op 1430000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1530000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1940000000 build-real-ns/op 4050000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1950000000 build-real-ns/op 820000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkK8s_api 1 13720000000 build-real-ns/op 66550000000 build-user-ns/op 4490000000 build-sys-ns/op
+BenchmarkMinio 1 50360000000 build-real-ns/op 118390000000 build-user-ns/op 8840000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 660000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 500000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 630000000 build-real-ns/op 1180000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7130000000 build-real-ns/op 8440000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3320000000 build-real-ns/op 9350000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9850000000 build-real-ns/op 13680000000 build-user-ns/op 1230000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 370000000 build-real-ns/op 530000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_community 1 2920000000 build-real-ns/op 8350000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 11020000000 build-real-ns/op 35810000000 build-user-ns/op 2730000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11770000000 build-real-ns/op 15080000000 build-user-ns/op 1680000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7350000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkSpexs2 1 1080000000 build-real-ns/op 1210000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8630000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1220000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3110000000 build-real-ns/op 8570000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1820000000 build-real-ns/op 810000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 630000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1090000000 build-real-ns/op 1820000000 build-user-ns/op 400000000 build-sys-ns/op
+BenchmarkGonum_path 1 3040000000 build-real-ns/op 7990000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkUber_zap 1 2990000000 build-real-ns/op 4810000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 590000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11700000000 build-real-ns/op 15540000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 440000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkK8s_api 1 14020000000 build-real-ns/op 67030000000 build-user-ns/op 4059999999 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 590000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11670000000 build-real-ns/op 20660000000 build-user-ns/op 2120000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 680000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkMinio 1 51180000000 build-real-ns/op 117700000000 build-user-ns/op 8710000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3360000000 build-real-ns/op 7540000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10670000000 build-real-ns/op 35490000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7150000000 build-real-ns/op 8420000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1220000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 360000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10370000000 build-real-ns/op 13710000000 build-user-ns/op 1900000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9840000000 build-real-ns/op 13570000000 build-user-ns/op 1250000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2590000000 build-real-ns/op 7160000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10290000000 build-real-ns/op 15900000000 build-user-ns/op 1640000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14710000000 build-real-ns/op 68620000000 build-user-ns/op 4320000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7320000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9240000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_community 1 3130000000 build-real-ns/op 8160000000 build-user-ns/op 950000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1100000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2240000000 build-real-ns/op 4290000000 build-user-ns/op 410000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 410000000 build-user-ns/op 50000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 480000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 470000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1470000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1280000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 390000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 640000000 build-real-ns/op 1260000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkK8s_api 1 14090000000 build-real-ns/op 66950000000 build-user-ns/op 4100000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10590000000 build-real-ns/op 35450000000 build-user-ns/op 2690000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9840000000 build-real-ns/op 13370000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 450000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2280000000 build-real-ns/op 4220000000 build-user-ns/op 420000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 660000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8300000000 build-user-ns/op 810000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14560000000 build-real-ns/op 68140000000 build-user-ns/op 4390000000 build-sys-ns/op
+BenchmarkUber_zap 1 2860000000 build-real-ns/op 4810000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10340000000 build-real-ns/op 16020000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1060000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3230000000 build-real-ns/op 7300000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11500000000 build-real-ns/op 20930000000 build-user-ns/op 1880000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 620000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1790000000 build-real-ns/op 870000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 450000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1390000000 build-real-ns/op 1950000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 650000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11680000000 build-real-ns/op 15330000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3040000000 build-real-ns/op 7680000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10450000000 build-real-ns/op 14340000000 build-user-ns/op 1360000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7380000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_path 1 3050000000 build-real-ns/op 8050000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkMinio 1 49480000000 build-real-ns/op 117760000000 build-user-ns/op 8810000000 build-sys-ns/op
+BenchmarkGonum_community 1 3210000000 build-real-ns/op 8510000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 650000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6930000000 build-real-ns/op 8390000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3360000000 build-real-ns/op 9150000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 410000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1400000000 build-real-ns/op 810000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkSpexs2 1 1030000000 build-real-ns/op 1250000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 610000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 420000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14800000000 build-real-ns/op 68840000000 build-user-ns/op 4250000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10260000000 build-real-ns/op 14060000000 build-user-ns/op 1430000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8460000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2850000000 build-real-ns/op 7330000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11760000000 build-real-ns/op 15360000000 build-user-ns/op 1620000000 build-sys-ns/op
+BenchmarkUber_zap 1 2580000000 build-real-ns/op 4710000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10730000000 build-real-ns/op 35720000000 build-user-ns/op 2940000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3400000000 build-real-ns/op 9160000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 430000000 build-real-ns/op 720000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkMinio 1 49720000000 build-real-ns/op 117160000000 build-user-ns/op 8970000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4019999999 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3190000000 build-real-ns/op 7340000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7170000000 build-real-ns/op 8330000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkGonum_topo 1 2860000000 build-real-ns/op 8250000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3270000000 build-real-ns/op 7500000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10360000000 build-real-ns/op 15990000000 build-user-ns/op 1410000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1090000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkK8s_api 1 14170000000 build-real-ns/op 66680000000 build-user-ns/op 4340000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 650000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 650000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 520000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 630000000 build-real-ns/op 1160000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9920000000 build-real-ns/op 13740000000 build-user-ns/op 1220000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1580000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1460000000 build-real-ns/op 1970000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkGonum_path 1 3050000000 build-real-ns/op 8180000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11720000000 build-real-ns/op 20590000000 build-user-ns/op 2080000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11720000000 build-real-ns/op 15570000000 build-user-ns/op 1470000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3100000000 build-real-ns/op 8320000000 build-user-ns/op 880000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6740000000 build-real-ns/op 8320000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkK8s_api 1 13760000000 build-real-ns/op 66350000000 build-user-ns/op 4340000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10240000000 build-real-ns/op 15770000000 build-user-ns/op 1590000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9280000000 build-real-ns/op 13450000000 build-user-ns/op 1270000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 680000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8460000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7380000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1120000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11840000000 build-real-ns/op 20640000000 build-user-ns/op 2050000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 310000000 build-real-ns/op 400000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1940000000 build-real-ns/op 4080000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10420000000 build-real-ns/op 13870000000 build-user-ns/op 1820000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3390000000 build-real-ns/op 9230000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1810000000 build-real-ns/op 800000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1210000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkUber_zap 1 2980000000 build-real-ns/op 4810000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3240000000 build-real-ns/op 7530000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 290000000 build-real-ns/op 410000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 700000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14320000000 build-real-ns/op 68560000000 build-user-ns/op 4250000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1390000000 build-real-ns/op 1970000000 build-user-ns/op 360000000 build-sys-ns/op
+BenchmarkMinio 1 50030000000 build-real-ns/op 118180000000 build-user-ns/op 8630000000 build-sys-ns/op
+BenchmarkGonum_path 1 3100000000 build-real-ns/op 8390000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 530000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1170000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 500000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 670000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10620000000 build-real-ns/op 35500000000 build-user-ns/op 2820000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3200000000 build-real-ns/op 7270000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 580000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1190000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10270000000 build-real-ns/op 14140000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkK8s_api 1 14130000000 build-real-ns/op 67670000000 build-user-ns/op 4019999999 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3280000000 build-real-ns/op 7610000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 670000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2220000000 build-real-ns/op 4200000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2630000000 build-real-ns/op 7580000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1820000000 build-real-ns/op 850000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1620000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10360000000 build-real-ns/op 16020000000 build-user-ns/op 1450000000 build-sys-ns/op
+BenchmarkGonum_path 1 2790000000 build-real-ns/op 8300000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 530000000 build-real-ns/op 1040000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 400000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11220000000 build-real-ns/op 20830000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11790000000 build-real-ns/op 15280000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10220000000 build-real-ns/op 35570000000 build-user-ns/op 2610000000 build-sys-ns/op
+BenchmarkSpexs2 1 1030000000 build-real-ns/op 1200000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkGonum_community 1 2850000000 build-real-ns/op 8029999999 build-user-ns/op 950000000 build-sys-ns/op
+BenchmarkMinio 1 50770000000 build-real-ns/op 119600000000 build-user-ns/op 8680000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9540000000 build-real-ns/op 13610000000 build-user-ns/op 1250000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 680000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 480000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7160000000 build-real-ns/op 8390000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1450000000 build-real-ns/op 1990000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14560000000 build-real-ns/op 68520000000 build-user-ns/op 4270000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3350000000 build-real-ns/op 9220000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3110000000 build-real-ns/op 8250000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkUber_zap 1 2960000000 build-real-ns/op 4740000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3220000000 build-real-ns/op 7420000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1380000000 build-real-ns/op 1970000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1600000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9870000000 build-real-ns/op 13670000000 build-user-ns/op 1310000000 build-sys-ns/op
+BenchmarkK8s_api 1 13960000000 build-real-ns/op 66950000000 build-user-ns/op 4280000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2890000000 build-real-ns/op 7370000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10180000000 build-real-ns/op 35470000000 build-user-ns/op 2840000000 build-sys-ns/op
+BenchmarkSpexs2 1 1030000000 build-real-ns/op 1260000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11770000000 build-real-ns/op 15300000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10390000000 build-real-ns/op 15890000000 build-user-ns/op 1630000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9270000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 360000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkMinio 1 49690000000 build-real-ns/op 117890000000 build-user-ns/op 9200000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3240000000 build-real-ns/op 7270000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkUber_zap 1 3080000000 build-real-ns/op 4820000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11700000000 build-real-ns/op 20690000000 build-user-ns/op 1980000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 440000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10630000000 build-real-ns/op 14430000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8080000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1620000000 build-real-ns/op 820000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 400000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14860000000 build-real-ns/op 68920000000 build-user-ns/op 4220000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1910000000 build-real-ns/op 4070000000 build-user-ns/op 470000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3060000000 build-real-ns/op 8250000000 build-user-ns/op 890000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 370000000 build-real-ns/op 590000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 660000000 build-real-ns/op 1220000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkGonum_community 1 2890000000 build-real-ns/op 8330000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7250000000 build-real-ns/op 8640000000 build-user-ns/op 390000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7290000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1090000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1820000000 build-real-ns/op 790000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 640000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1960000000 build-real-ns/op 4250000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 280000000 build-real-ns/op 410000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 330000000 build-real-ns/op 520000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 410000000 build-real-ns/op 670000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9850000000 build-real-ns/op 13520000000 build-user-ns/op 1330000000 build-sys-ns/op
+BenchmarkK8s_api 1 14300000000 build-real-ns/op 66010000000 build-user-ns/op 4250000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1260000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkGonum_community 1 3210000000 build-real-ns/op 8380000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3400000000 build-real-ns/op 9260000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10950000000 build-real-ns/op 35900000000 build-user-ns/op 2860000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1160000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 410000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10380000000 build-real-ns/op 15940000000 build-user-ns/op 1480000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10310000000 build-real-ns/op 14110000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11540000000 build-real-ns/op 20740000000 build-user-ns/op 1950000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1010000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 460000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkMinio 1 50580000000 build-real-ns/op 117200000000 build-user-ns/op 8950000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14310000000 build-real-ns/op 69250000000 build-user-ns/op 4130000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 580000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7170000000 build-real-ns/op 8500000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3010000000 build-real-ns/op 7570000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 640000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3130000000 build-real-ns/op 8460000000 build-user-ns/op 880000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11840000000 build-real-ns/op 15320000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7260000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1990000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkUber_zap 1 2520000000 build-real-ns/op 4720000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 490000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3210000000 build-real-ns/op 7310000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8050000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11790000000 build-real-ns/op 15310000000 build-user-ns/op 1720000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7460000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1530000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2280000000 build-real-ns/op 4260000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 9900000000 build-real-ns/op 16050000000 build-user-ns/op 1470000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11610000000 build-real-ns/op 21130000000 build-user-ns/op 1880000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3200000000 build-real-ns/op 7240000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7390000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 650000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6770000000 build-real-ns/op 8350000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 530000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkK8s_api 1 14050000000 build-real-ns/op 66580000000 build-user-ns/op 4350000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1180000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 640000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkMinio 1 50730000000 build-real-ns/op 118150000000 build-user-ns/op 8640000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 430000000 build-user-ns/op 50000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1180000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1980000000 build-user-ns/op 340000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1370000000 build-real-ns/op 780000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8260000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9920000000 build-real-ns/op 13800000000 build-user-ns/op 1310000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14500000000 build-real-ns/op 68680000000 build-user-ns/op 4110000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10690000000 build-real-ns/op 35830000000 build-user-ns/op 2950000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9280000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkUber_zap 1 3000000000 build-real-ns/op 4750000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 470000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10420000000 build-real-ns/op 14360000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 680000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8000000000 build-user-ns/op 1040000000 build-sys-ns/op
+BenchmarkGonum_topo 1 2800000000 build-real-ns/op 8320000000 build-user-ns/op 960000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 580000000 build-real-ns/op 1140000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkSemver 1 380000000 build-real-ns/op 640000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7210000000 build-real-ns/op 8330000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 370000000 build-real-ns/op 570000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11970000000 build-real-ns/op 15210000000 build-user-ns/op 1660000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10470000000 build-real-ns/op 14190000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1560000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9880000000 build-real-ns/op 13780000000 build-user-ns/op 1090000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 670000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkUber_zap 1 2950000000 build-real-ns/op 4870000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 410000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3240000000 build-real-ns/op 7260000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10460000000 build-real-ns/op 16170000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 480000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkK8s_api 1 13490000000 build-real-ns/op 66210000000 build-user-ns/op 4390000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1060000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10740000000 build-real-ns/op 35830000000 build-user-ns/op 2700000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14810000000 build-real-ns/op 68450000000 build-user-ns/op 4410000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3300000000 build-real-ns/op 7260000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1440000000 build-real-ns/op 1970000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11180000000 build-real-ns/op 20790000000 build-user-ns/op 1880000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7570000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 630000000 build-real-ns/op 1240000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkMinio 1 50190000000 build-real-ns/op 118080000000 build-user-ns/op 8550000000 build-sys-ns/op
+BenchmarkGonum_path 1 3120000000 build-real-ns/op 8119999999 build-user-ns/op 880000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 480000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2140000000 build-real-ns/op 4200000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1350000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1830000000 build-real-ns/op 780000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3100000000 build-real-ns/op 9370000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 660000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8440000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8420000000 build-user-ns/op 840000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T213604.Base.stdout b/benchfmt/testdata/bent/20200101T213604.Base.stdout
new file mode 100644
index 0000000..131f6c0
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Base.stdout
@@ -0,0 +1,4775 @@
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     270	   4710258 ns/op	17864684 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      78	  14326761 ns/op	12013474 B/op	   52630 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9618483	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1966130	       610 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   71952	     16558 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1280957 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4685908	       257 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51869146	        22.8 ns/op
+BenchmarkCompactToHex-12     	35536146	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32598300	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52624668	        22.9 ns/op
+BenchmarkGet-12              	 6948402	       173 ns/op
+BenchmarkGetDB-12            	 7308210	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1087 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1367 ns/op
+BenchmarkHash-12             	  352022	      3552 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24393121599 ns/op
+BenchmarkRun/10k/16-12      	       1	5252078619 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297585	      4031 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402911	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30506	     39694 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9830730 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60864900 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52335	     22525 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1529920	       791 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428908	      2774 ns/op
+BenchmarkReaderContains-12    	  223981	      5395 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167863	      7048 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  190530	      6512 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79955717 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21367031 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  422584	      2930 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9746879 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2754	    436714 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11760913 ns/op	  89.16 MB/s	 1648608 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  871428	      1287 ns/op
+BenchmarkAddingFields/apex/log-12          	   35965	     34406 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   29274	     35924 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   32913	     35517 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215528807 ns/op	  31.85 MB/s	159355387 B/op	   17018 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      40	  28333207 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53253	     22557 ns/op	 363.16 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2848964	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326914	      3666 ns/op
+BenchmarkPolygon-12    	  177925	      6731 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70506	     16955 ns/op
+BenchmarkRegexMatch-12       	  871924	      1376 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8161	    145517 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3783	    317234 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3036	    391898 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257073	      4658 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118301 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198469	      6038 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3501139	       335 ns/op
+BenchmarkParallelDirectSend-12    	 3471220	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2287536	       527 ns/op
+BenchmarkMuxBrodcast-12           	 2313502	       520 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  710353	      1626 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581088	      2085 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1315201 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      40	  29678808 ns/op
+BenchmarkLZ-12      	    1870	    627261 ns/op
+BenchmarkMTFT-12    	     258	   4626221 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5788355 ns/op
+BenchmarkRenderSpec-12                	     210	   5681068 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3799395 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     254	   4611776 ns/op	17864055 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      68	  15480124 ns/op	12041936 B/op	   52782 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9572278	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1961990	       613 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   69517	     17201 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     849	   1332127 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4177620	       286 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	41351996	        24.7 ns/op
+BenchmarkCompactToHex-12     	28120221	        36.9 ns/op
+BenchmarkKeybytesToHex-12    	31232413	        39.5 ns/op
+BenchmarkHexToKeybytes-12    	50298757	        24.7 ns/op
+BenchmarkGet-12              	 6297308	       189 ns/op
+BenchmarkGetDB-12            	 7305576	       163 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1165 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1458 ns/op
+BenchmarkHash-12             	  326828	      3570 ns/op	     674 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24448499740 ns/op
+BenchmarkRun/10k/16-12      	       1	5201996989 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  296326	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402356	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30378	     40163 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9843504 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60769711 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51520	     22085 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1563399	       778 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  426507	      2782 ns/op
+BenchmarkReaderContains-12    	  221656	      5518 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167061	      7061 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  191691	      6474 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79852625 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21382258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427380	      2926 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9765781 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2742	    435732 ns/op
+BenchmarkGrowth_MultiSegment-12            	      98	  12055614 ns/op	  86.98 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  913875	      1295 ns/op
+BenchmarkAddingFields/apex/log-12          	   34986	     34516 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33273	     35667 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33903	     35812 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215871345 ns/op	  31.80 MB/s	159354131 B/op	   17013 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28434785 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53079	     22574 ns/op	 362.89 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2847945	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  324878	      3659 ns/op
+BenchmarkPolygon-12    	  177423	      6732 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70195	     16968 ns/op
+BenchmarkRegexMatch-12       	  874647	      1372 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8184	    145212 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3794	    316681 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3051	    407420 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256016	      4670 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118167 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199573	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3620535	       334 ns/op
+BenchmarkParallelDirectSend-12    	 3496972	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2281377	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2413591	       520 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  707916	      1620 ns/op
+BenchmarkFtoaRegexTrailing-12    	  568161	      2132 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1311469 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29662674 ns/op
+BenchmarkLZ-12      	    1870	    629329 ns/op
+BenchmarkMTFT-12    	     258	   4643081 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5677994 ns/op
+BenchmarkRenderSpec-12                	     210	   5706534 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3805758 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     261	   4571952 ns/op	17862583 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      80	  14498368 ns/op	12115343 B/op	   52798 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9610952	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1961240	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72528	     16553 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     930	   1286628 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4670215	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51838969	        22.8 ns/op
+BenchmarkCompactToHex-12     	35531102	        33.5 ns/op
+BenchmarkKeybytesToHex-12    	32471194	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52523079	        22.8 ns/op
+BenchmarkGet-12              	 6910903	       172 ns/op
+BenchmarkGetDB-12            	 7272709	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1081 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1330 ns/op
+BenchmarkHash-12             	  341301	      3565 ns/op	     671 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24417503461 ns/op
+BenchmarkRun/10k/16-12      	       1	5222736488 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298375	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403092	       861 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30403	     39463 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9844970 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60879349 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52321	     22459 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1544151	       784 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429157	      2779 ns/op
+BenchmarkReaderContains-12    	  222188	      5399 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167990	      7082 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193670	      6463 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79936204 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21373538 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425942	      2912 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9759514 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2878	    414102 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11785487 ns/op	  88.97 MB/s	 1648615 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  914878	      1265 ns/op
+BenchmarkAddingFields/apex/log-12          	   34308	     34292 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   30884	     35828 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33526	     36037 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215275380 ns/op	  31.89 MB/s	159355028 B/op	   17018 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28188352 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53091	     22527 ns/op	 363.65 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2850660	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325341	      3668 ns/op
+BenchmarkPolygon-12    	  177468	      6725 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   69754	     17116 ns/op
+BenchmarkRegexMatch-12       	  855530	      1377 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8194	    145395 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3777	    316641 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3020	    391657 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257096	      4659 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9978	    118254 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198582	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3609654	       338 ns/op
+BenchmarkParallelDirectSend-12    	 3457360	       346 ns/op
+BenchmarkParallelBrodcast-12      	 2285365	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2235934	       535 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  708541	      1625 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580795	      2072 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1314152 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29725774 ns/op
+BenchmarkLZ-12      	    1872	    627236 ns/op
+BenchmarkMTFT-12    	     258	   4629655 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5778849 ns/op
+BenchmarkRenderSpec-12                	     210	   5692649 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3806804 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     246	   4647786 ns/op	17863027 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14502378 ns/op	12052687 B/op	   52539 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9629127	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1965552	       610 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72580	     16561 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     930	   1285413 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4668642	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51783956	        22.8 ns/op
+BenchmarkCompactToHex-12     	35779988	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32655602	        36.7 ns/op
+BenchmarkHexToKeybytes-12    	52631964	        22.8 ns/op
+BenchmarkGet-12              	 6892698	       172 ns/op
+BenchmarkGetDB-12            	 7408857	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1080 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1374 ns/op
+BenchmarkHash-12             	  351254	      3530 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24424180616 ns/op
+BenchmarkRun/10k/16-12      	       1	5284586940 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297405	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402563	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30528	     39095 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9910989 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60878135 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52273	     22525 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1554110	       781 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  426502	      2777 ns/op
+BenchmarkReaderContains-12    	  222243	      5402 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167818	      7058 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193671	      6419 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79979724 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21322015 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424490	      3065 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     123	   9718660 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2746	    437660 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11776638 ns/op	  89.04 MB/s	 1648610 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  913746	      1259 ns/op
+BenchmarkAddingFields/apex/log-12          	   34652	     34353 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33040	     35821 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33517	     38901 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215603795 ns/op	  31.84 MB/s	159355220 B/op	   17013 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28286081 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53281	     22551 ns/op	 363.26 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2807914	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328644	      3675 ns/op
+BenchmarkPolygon-12    	  178536	      6736 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70569	     16961 ns/op
+BenchmarkRegexMatch-12       	  863502	      1379 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8204	    145208 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3757	    322144 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3066	    393125 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255895	      4668 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9997	    118266 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199652	      6038 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3620428	       338 ns/op
+BenchmarkParallelDirectSend-12    	 3486268	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2296898	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2241585	       519 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  693703	      1621 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580953	      2074 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1312832 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      40	  29808802 ns/op
+BenchmarkLZ-12      	    1868	    626426 ns/op
+BenchmarkMTFT-12    	     258	   4621838 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5672359 ns/op
+BenchmarkRenderSpec-12                	     210	   5739569 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     310	   3814381 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     261	   4623983 ns/op	17864872 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      80	  14411230 ns/op	12041976 B/op	   52502 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9614392	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1964166	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72435	     16548 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     932	   1283877 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4674942	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	52078054	        22.8 ns/op
+BenchmarkCompactToHex-12     	35797396	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32448979	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52433976	        22.8 ns/op
+BenchmarkGet-12              	 6933102	       172 ns/op
+BenchmarkGetDB-12            	 7234509	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1082 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1378 ns/op
+BenchmarkHash-12             	  357186	      3522 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24385437497 ns/op
+BenchmarkRun/10k/16-12      	       1	5342046687 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297428	      4032 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402377	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30652	     39090 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9858586 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60791514 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52284	     22135 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1550095	       786 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  430958	      2783 ns/op
+BenchmarkReaderContains-12    	  221284	      5397 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168146	      7028 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195177	      6354 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79804127 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21400133 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  426127	      2918 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9732831 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2746	    437473 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11779273 ns/op	  89.02 MB/s	 1648633 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  818943	      1264 ns/op
+BenchmarkAddingFields/apex/log-12          	   35534	     34335 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33206	     35857 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33319	     36417 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216705573 ns/op	  31.68 MB/s	159354980 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28216402 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53134	     22568 ns/op	 363.00 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2850006	       425 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327103	      3674 ns/op
+BenchmarkPolygon-12    	  177763	      6734 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70180	     16979 ns/op
+BenchmarkRegexMatch-12       	  859848	      1378 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8062	    145330 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3789	    316724 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3050	    393451 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256915	      4667 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118213 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198538	      6040 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3613281	       329 ns/op
+BenchmarkParallelDirectSend-12    	 3393975	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2287580	       525 ns/op
+BenchmarkMuxBrodcast-12           	 2345548	       537 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  702686	      1622 ns/op
+BenchmarkFtoaRegexTrailing-12    	  576188	      2076 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1311370 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29615754 ns/op
+BenchmarkLZ-12      	    1869	    627451 ns/op
+BenchmarkMTFT-12    	     258	   4623861 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5699133 ns/op
+BenchmarkRenderSpec-12                	     211	   5677860 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3811640 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     248	   4644036 ns/op	17863900 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14486754 ns/op	12062593 B/op	   52574 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9600396	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1962303	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72463	     16557 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     934	   1284255 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4666999	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50366208	        22.8 ns/op
+BenchmarkCompactToHex-12     	35736730	        33.5 ns/op
+BenchmarkKeybytesToHex-12    	32513200	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52625722	        22.8 ns/op
+BenchmarkGet-12              	 6952642	       172 ns/op
+BenchmarkGetDB-12            	 7421437	       158 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1078 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1374 ns/op
+BenchmarkHash-12             	  355216	      3530 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24360476541 ns/op
+BenchmarkRun/10k/16-12      	       1	5194943043 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298095	      4020 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401133	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30390	     39444 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9885019 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60862885 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51452	     22089 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1531687	       788 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  425143	      2779 ns/op
+BenchmarkReaderContains-12    	  220759	      5395 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168807	      7045 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193128	      6505 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79788412 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21366576 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  423813	      2935 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9714994 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2734	    437842 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11801711 ns/op	  88.85 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  870543	      1257 ns/op
+BenchmarkAddingFields/apex/log-12          	   35943	     34226 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33570	     35767 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33776	     35673 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 214516777 ns/op	  32.00 MB/s	159353872 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28950925 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   52438	     22560 ns/op	 363.12 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2819816	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  329250	      3649 ns/op
+BenchmarkPolygon-12    	  178024	      6722 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70327	     16956 ns/op
+BenchmarkRegexMatch-12       	  872606	      1387 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8204	    145347 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3801	    316527 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3043	    393256 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256321	      4671 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118004 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199644	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3614274	       345 ns/op
+BenchmarkParallelDirectSend-12    	 3470744	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2290868	       525 ns/op
+BenchmarkMuxBrodcast-12           	 2263016	       518 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  710922	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580392	      2075 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1311164 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29729804 ns/op
+BenchmarkLZ-12      	    1863	    627819 ns/op
+BenchmarkMTFT-12    	     258	   4621473 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5682045 ns/op
+BenchmarkRenderSpec-12                	     210	   5683880 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3814123 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     253	   4629841 ns/op	17860913 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14459915 ns/op	12086447 B/op	   52701 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9625584	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1961044	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72526	     16622 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     925	   1285289 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4675822	       257 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51995755	        22.8 ns/op
+BenchmarkCompactToHex-12     	35542354	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32335972	        36.7 ns/op
+BenchmarkHexToKeybytes-12    	52242655	        22.8 ns/op
+BenchmarkGet-12              	 6941884	       171 ns/op
+BenchmarkGetDB-12            	 7409661	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1089 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1371 ns/op
+BenchmarkHash-12             	  354315	      3540 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24522094655 ns/op
+BenchmarkRun/10k/16-12      	       1	5261716672 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  295850	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1400166	       866 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   29713	     39454 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9827989 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60860471 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51475	     22454 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1557933	       778 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  431700	      2776 ns/op
+BenchmarkReaderContains-12    	  221766	      5391 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169630	      7028 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194732	      6369 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80310657 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21339555 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  420830	      2957 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9746755 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2748	    436564 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11789081 ns/op	  88.95 MB/s	 1648630 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  835880	      1268 ns/op
+BenchmarkAddingFields/apex/log-12          	   35018	     34484 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33741	     35881 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33740	     35625 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215520683 ns/op	  31.85 MB/s	159355720 B/op	   17020 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28433724 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53212	     23138 ns/op	 354.05 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2794040	       434 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  324604	      3737 ns/op
+BenchmarkPolygon-12    	  176803	      6882 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70286	     16964 ns/op
+BenchmarkRegexMatch-12       	  867817	      1381 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8114	    145340 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3798	    316843 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3046	    394928 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257163	      4668 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9966	    118397 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198566	      6042 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3569856	       337 ns/op
+BenchmarkParallelDirectSend-12    	 3495804	       346 ns/op
+BenchmarkParallelBrodcast-12      	 2292278	       525 ns/op
+BenchmarkMuxBrodcast-12           	 2371545	       537 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  701319	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581314	      2071 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1313188 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29681385 ns/op
+BenchmarkLZ-12      	    1866	    626121 ns/op
+BenchmarkMTFT-12    	     259	   4622628 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5686586 ns/op
+BenchmarkRenderSpec-12                	     210	   5685226 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3797188 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     268	   4513971 ns/op	17863172 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14637811 ns/op	12065908 B/op	   52567 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9629421	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1965811	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72102	     16569 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1282532 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4673095	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51912180	        22.9 ns/op
+BenchmarkCompactToHex-12     	35724207	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32441886	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52633485	        22.9 ns/op
+BenchmarkGet-12              	 6986851	       173 ns/op
+BenchmarkGetDB-12            	 7350494	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1081 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1379 ns/op
+BenchmarkHash-12             	  355342	      3517 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24454975429 ns/op
+BenchmarkRun/10k/16-12      	       1	5216025430 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298270	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401578	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30376	     39681 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847599 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60887022 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52281	     22483 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1551781	       776 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429570	      2777 ns/op
+BenchmarkReaderContains-12    	  221698	      5401 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169862	      7054 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193285	      6424 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80006758 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21365962 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425757	      2904 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9765316 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2896	    415215 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11790255 ns/op	  88.94 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  862376	      1255 ns/op
+BenchmarkAddingFields/apex/log-12          	   35397	     34282 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33218	     35915 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   32612	     35577 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 218037259 ns/op	  31.48 MB/s	159353296 B/op	   17010 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28178791 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53222	     22539 ns/op	 363.45 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2847986	       420 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325948	      3671 ns/op
+BenchmarkPolygon-12    	  153230	      6751 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70142	     17028 ns/op
+BenchmarkRegexMatch-12       	  866187	      1381 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8202	    145386 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3787	    316640 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3033	    392342 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257594	      4677 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9888	    118036 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199515	      6040 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3539342	       339 ns/op
+BenchmarkParallelDirectSend-12    	 3503638	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2298992	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2251958	       508 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  698542	      1624 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580604	      2069 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1327960 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      40	  29700694 ns/op
+BenchmarkLZ-12      	    1867	    626304 ns/op
+BenchmarkMTFT-12    	     258	   4624261 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5671766 ns/op
+BenchmarkRenderSpec-12                	     210	   5677515 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3789694 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     256	   4635949 ns/op	17864149 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      85	  14684770 ns/op	12045103 B/op	   52514 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9625933	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963966	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72247	     16572 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     933	   1280575 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4673738	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51538983	        22.8 ns/op
+BenchmarkCompactToHex-12     	35774809	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	33154642	        36.6 ns/op
+BenchmarkHexToKeybytes-12    	52146562	        22.8 ns/op
+BenchmarkGet-12              	 6943891	       172 ns/op
+BenchmarkGetDB-12            	 7408603	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1082 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1381 ns/op
+BenchmarkHash-12             	  353221	      3534 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24416519574 ns/op
+BenchmarkRun/10k/16-12      	       1	5210202642 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298388	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402701	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30286	     39709 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9868493 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60819921 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52396	     22515 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1557487	       778 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429382	      2787 ns/op
+BenchmarkReaderContains-12    	  222327	      5402 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169038	      7015 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  188290	      6619 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79957309 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      45	  22243553 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  423738	      2943 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9760594 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2742	    438729 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11795704 ns/op	  88.90 MB/s	 1648610 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  907915	      1262 ns/op
+BenchmarkAddingFields/apex/log-12          	   35558	     34217 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33608	     35711 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33333	     36005 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216993511 ns/op	  31.64 MB/s	159352585 B/op	   17008 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28227055 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53278	     22533 ns/op	 363.56 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2844733	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325158	      3659 ns/op
+BenchmarkPolygon-12    	  177308	      6744 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   69577	     17384 ns/op
+BenchmarkRegexMatch-12       	  868663	      1409 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8007	    145414 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3799	    317594 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3039	    392449 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256765	      4661 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118197 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198633	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3567121	       332 ns/op
+BenchmarkParallelDirectSend-12    	 3447925	       347 ns/op
+BenchmarkParallelBrodcast-12      	 2294482	       530 ns/op
+BenchmarkMuxBrodcast-12           	 2212748	       522 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  708924	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581550	      2073 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1314669 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29735017 ns/op
+BenchmarkLZ-12      	    1870	    627072 ns/op
+BenchmarkMTFT-12    	     259	   4623180 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5690511 ns/op
+BenchmarkRenderSpec-12                	     210	   5683107 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     316	   3799783 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     265	   4604933 ns/op	17863690 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14542004 ns/op	12081491 B/op	   52667 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9630832	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963809	       621 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   70172	     16593 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     930	   1285669 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4674416	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51693573	        22.8 ns/op
+BenchmarkCompactToHex-12     	35932744	        33.5 ns/op
+BenchmarkKeybytesToHex-12    	32427553	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52607125	        22.8 ns/op
+BenchmarkGet-12              	 6892868	       172 ns/op
+BenchmarkGetDB-12            	 7418341	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1078 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1376 ns/op
+BenchmarkHash-12             	  359120	      3518 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24485285303 ns/op
+BenchmarkRun/10k/16-12      	       1	5271177060 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298332	      4032 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403068	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30540	     39366 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9832821 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61523662 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51422	     22127 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1532713	       783 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428233	      2776 ns/op
+BenchmarkReaderContains-12    	  221302	      5471 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167082	      7034 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  192410	      6484 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80039036 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21442833 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  422228	      2939 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9709497 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2758	    434645 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11816947 ns/op	  88.74 MB/s	 1648609 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  907148	      1259 ns/op
+BenchmarkAddingFields/apex/log-12          	   34962	     34483 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33272	     35649 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33788	     35548 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216406496 ns/op	  31.72 MB/s	159354891 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28227923 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53270	     22535 ns/op	 363.52 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2855532	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327402	      3661 ns/op
+BenchmarkPolygon-12    	  178827	      6732 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   69999	     16960 ns/op
+BenchmarkRegexMatch-12       	  857840	      1373 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8154	    145217 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3793	    333375 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3066	    392942 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255062	      4683 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118492 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199575	      6043 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3571262	       335 ns/op
+BenchmarkParallelDirectSend-12    	 3516482	       344 ns/op
+BenchmarkParallelBrodcast-12      	 2279833	       526 ns/op
+BenchmarkMuxBrodcast-12           	 2421784	       537 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  704530	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  577962	      2082 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1315589 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29784682 ns/op
+BenchmarkLZ-12      	    1856	    636711 ns/op
+BenchmarkMTFT-12    	     258	   4633538 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5680229 ns/op
+BenchmarkRenderSpec-12                	     210	   5680775 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     313	   3817553 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     262	   4738764 ns/op	17864032 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14470178 ns/op	12087796 B/op	   52748 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9616064	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1964346	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72284	     16528 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     920	   1280995 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4682161	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	49921147	        22.8 ns/op
+BenchmarkCompactToHex-12     	36085831	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32693264	        36.6 ns/op
+BenchmarkHexToKeybytes-12    	52517900	        22.8 ns/op
+BenchmarkGet-12              	 6878607	       172 ns/op
+BenchmarkGetDB-12            	 7259644	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1087 ns/op
+BenchmarkUpdateLE-12         	  951474	      1380 ns/op
+BenchmarkHash-12             	  344559	      3532 ns/op	     671 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24464406697 ns/op
+BenchmarkRun/10k/16-12      	       1	5390686641 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297534	      4048 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403002	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30286	     39733 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9872587 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61480586 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52177	     22536 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1543168	       784 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  425272	      2777 ns/op
+BenchmarkReaderContains-12    	  222967	      5404 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167511	      7035 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  192405	      6521 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79954078 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21354294 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  418977	      2948 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9736841 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2925	    412398 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11801153 ns/op	  88.86 MB/s	 1648638 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  885423	      1258 ns/op
+BenchmarkAddingFields/apex/log-12          	   35191	     34370 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33822	     35774 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33717	     35948 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215057122 ns/op	  31.92 MB/s	159354073 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28210806 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53247	     22561 ns/op	 363.10 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2850846	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326439	      3668 ns/op
+BenchmarkPolygon-12    	  178494	      6739 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70392	     16962 ns/op
+BenchmarkRegexMatch-12       	  862872	      1372 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8164	    145286 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3784	    316560 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3048	    406919 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256587	      4694 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9382	    118285 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199494	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3543619	       338 ns/op
+BenchmarkParallelDirectSend-12    	 3470119	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2285500	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2299580	       523 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  689305	      1625 ns/op
+BenchmarkFtoaRegexTrailing-12    	  582370	      2090 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1315025 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29741871 ns/op
+BenchmarkLZ-12      	    1864	    627399 ns/op
+BenchmarkMTFT-12    	     258	   4633100 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5697881 ns/op
+BenchmarkRenderSpec-12                	     210	   5689972 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3802437 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     264	   4554684 ns/op	17862577 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      79	  14443462 ns/op	12109061 B/op	   52777 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9619222	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1960668	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72601	     16523 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     920	   1288209 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4117676	       273 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	49032630	        22.9 ns/op
+BenchmarkCompactToHex-12     	35500886	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32603803	        36.9 ns/op
+BenchmarkHexToKeybytes-12    	52310119	        22.8 ns/op
+BenchmarkGet-12              	 6987195	       172 ns/op
+BenchmarkGetDB-12            	 7434993	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1077 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1401 ns/op
+BenchmarkHash-12             	  350530	      3539 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24461893920 ns/op
+BenchmarkRun/10k/16-12      	       1	5192877565 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297506	      4029 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402237	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30414	     40365 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9851876 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60964258 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52362	     22097 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1542687	       809 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428522	      2782 ns/op
+BenchmarkReaderContains-12    	  222600	      5394 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168759	      7015 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  191706	      6468 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80148740 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      46	  21822666 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  428491	      2893 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9839579 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2761	    437364 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11804109 ns/op	  88.83 MB/s	 1648632 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  871719	      1265 ns/op
+BenchmarkAddingFields/apex/log-12          	   35244	     34352 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33397	     35626 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33883	     35640 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215798654 ns/op	  31.81 MB/s	159355035 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28151765 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53194	     22533 ns/op	 363.55 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2842018	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326785	      3664 ns/op
+BenchmarkPolygon-12    	  178255	      6717 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70212	     17036 ns/op
+BenchmarkRegexMatch-12       	  851682	      1405 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8148	    145288 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3794	    316895 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3062	    391990 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256585	      4679 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9996	    118146 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199465	      6035 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3508651	       335 ns/op
+BenchmarkParallelDirectSend-12    	 3464876	       344 ns/op
+BenchmarkParallelBrodcast-12      	 2283258	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2299742	       507 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  699052	      1638 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580026	      2076 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1316366 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      40	  29779588 ns/op
+BenchmarkLZ-12      	    1869	    628779 ns/op
+BenchmarkMTFT-12    	     258	   4626875 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5692851 ns/op
+BenchmarkRenderSpec-12                	     210	   5691225 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     313	   3812386 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     254	   4575042 ns/op	17861532 B/op	      73 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14444292 ns/op	12078002 B/op	   52658 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9642002	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1964463	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72480	     16547 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1283256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4674928	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51627229	        22.9 ns/op
+BenchmarkCompactToHex-12     	35557642	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32319661	        37.9 ns/op
+BenchmarkHexToKeybytes-12    	52497295	        22.9 ns/op
+BenchmarkGet-12              	 6919248	       172 ns/op
+BenchmarkGetDB-12            	 7332478	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1082 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1377 ns/op
+BenchmarkHash-12             	  341922	      3545 ns/op	     671 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24406360986 ns/op
+BenchmarkRun/10k/16-12      	       1	5276299407 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298107	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403169	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30387	     39757 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9820842 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60773525 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52291	     22130 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1546266	       785 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429297	      2788 ns/op
+BenchmarkReaderContains-12    	  221938	      5512 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  162639	      7109 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193825	      6406 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80068738 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21408907 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424015	      2911 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9721114 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2751	    436736 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11784030 ns/op	  88.98 MB/s	 1648631 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  862495	      1262 ns/op
+BenchmarkAddingFields/apex/log-12          	   35277	     34684 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33060	     35935 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33382	     35784 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216538771 ns/op	  31.70 MB/s	159353870 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28158053 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53208	     22609 ns/op	 362.34 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2812726	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327799	      3662 ns/op
+BenchmarkPolygon-12    	  177751	      6720 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70237	     16955 ns/op
+BenchmarkRegexMatch-12       	  870978	      1381 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8176	    145499 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3784	    317432 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3050	    393772 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257252	      4670 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118394 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199639	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3505326	       338 ns/op
+BenchmarkParallelDirectSend-12    	 3492062	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2292450	       528 ns/op
+BenchmarkMuxBrodcast-12           	 2278350	       506 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  705538	      1625 ns/op
+BenchmarkFtoaRegexTrailing-12    	  582823	      2072 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1312450 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29675323 ns/op
+BenchmarkLZ-12      	    1870	    643734 ns/op
+BenchmarkMTFT-12    	     258	   4623148 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5677806 ns/op
+BenchmarkRenderSpec-12                	     210	   5682693 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     316	   3786315 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     252	   4529511 ns/op	17864535 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      80	  14474064 ns/op	12071287 B/op	   52626 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9631106	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963588	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72189	     16539 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     927	   1282450 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4695441	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51995371	        22.8 ns/op
+BenchmarkCompactToHex-12     	35838024	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	33100624	        36.5 ns/op
+BenchmarkHexToKeybytes-12    	52255501	        23.5 ns/op
+BenchmarkGet-12              	 6625112	       179 ns/op
+BenchmarkGetDB-12            	 7420406	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1083 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1387 ns/op
+BenchmarkHash-12             	  340941	      3544 ns/op	     672 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24374590504 ns/op
+BenchmarkRun/10k/16-12      	       1	5249528018 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297343	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402786	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30495	     39430 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9834619 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60858831 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51433	     22513 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1552258	       778 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428401	      2785 ns/op
+BenchmarkReaderContains-12    	  221965	      5418 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167689	      7062 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193942	      6437 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80259915 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21335724 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424064	      2928 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9747912 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2740	    434507 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11806505 ns/op	  88.82 MB/s	 1648629 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  862093	      1260 ns/op
+BenchmarkAddingFields/apex/log-12          	   34968	     34505 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   29696	     39089 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33840	     36267 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216360201 ns/op	  31.73 MB/s	159356424 B/op	   17022 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27932648 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53202	     22558 ns/op	 363.15 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2841585	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327282	      3666 ns/op
+BenchmarkPolygon-12    	  178174	      6734 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70130	     16982 ns/op
+BenchmarkRegexMatch-12       	  866596	      1387 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8055	    145637 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3783	    316465 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3036	    392846 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255925	      4661 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118298 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199551	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3556701	       329 ns/op
+BenchmarkParallelDirectSend-12    	 3428724	       349 ns/op
+BenchmarkParallelBrodcast-12      	 2275305	       526 ns/op
+BenchmarkMuxBrodcast-12           	 2204066	       517 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  714532	      1694 ns/op
+BenchmarkFtoaRegexTrailing-12    	  578174	      2075 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1314554 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      40	  29654579 ns/op
+BenchmarkLZ-12      	    1861	    626901 ns/op
+BenchmarkMTFT-12    	     258	   4629623 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5690702 ns/op
+BenchmarkRenderSpec-12                	     210	   5689097 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     316	   3811470 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     266	   4645260 ns/op	17863199 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14456807 ns/op	12086894 B/op	   52724 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9628094	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1964653	       612 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72124	     16565 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     927	   1277660 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4684370	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51459866	        22.8 ns/op
+BenchmarkCompactToHex-12     	35751410	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32143180	        36.9 ns/op
+BenchmarkHexToKeybytes-12    	52492305	        22.8 ns/op
+BenchmarkGet-12              	 6835606	       172 ns/op
+BenchmarkGetDB-12            	 7454799	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1110 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1336 ns/op
+BenchmarkHash-12             	  355016	      3554 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24393444235 ns/op
+BenchmarkRun/10k/16-12      	       1	5331767741 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298314	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403108	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30393	     39515 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9824236 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60838286 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51492	     22526 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1543755	       781 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  430814	      2780 ns/op
+BenchmarkReaderContains-12    	  221524	      5395 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170060	      7013 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  191582	      6482 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79873122 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21354786 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  412533	      3001 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9723594 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2763	    435977 ns/op
+BenchmarkGrowth_MultiSegment-12            	      98	  11800533 ns/op	  88.86 MB/s	 1648655 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  887191	      1264 ns/op
+BenchmarkAddingFields/apex/log-12          	   35749	     34021 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33340	     35775 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33780	     35923 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216490393 ns/op	  31.71 MB/s	159353708 B/op	   17012 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27919051 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53239	     22548 ns/op	 363.32 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2846185	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328450	      3652 ns/op
+BenchmarkPolygon-12    	  177945	      6730 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70351	     16960 ns/op
+BenchmarkRegexMatch-12       	  862581	      1374 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8121	    145127 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3786	    316727 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3038	    392162 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257491	      4662 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    117842 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198626	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3588679	       334 ns/op
+BenchmarkParallelDirectSend-12    	 3499706	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2291502	       526 ns/op
+BenchmarkMuxBrodcast-12           	 2413665	       507 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  705693	      1684 ns/op
+BenchmarkFtoaRegexTrailing-12    	  555950	      2112 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1311167 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      40	  29760144 ns/op
+BenchmarkLZ-12      	    1864	    626753 ns/op
+BenchmarkMTFT-12    	     258	   4634987 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5681883 ns/op
+BenchmarkRenderSpec-12                	     210	   5692702 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3813276 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     272	   4659766 ns/op	17861816 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14459002 ns/op	12077779 B/op	   52698 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9629710	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1963594	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72091	     16558 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1281568 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4673589	       257 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51554299	        22.8 ns/op
+BenchmarkCompactToHex-12     	35674261	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32466676	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52475023	        22.8 ns/op
+BenchmarkGet-12              	 6982368	       172 ns/op
+BenchmarkGetDB-12            	 7409454	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1128 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1420 ns/op
+BenchmarkHash-12             	  356946	      3554 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24450292609 ns/op
+BenchmarkRun/10k/16-12      	       1	5325205538 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298406	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1400836	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30585	     39452 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9828159 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60851266 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51602	     22435 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1564615	       769 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428943	      2784 ns/op
+BenchmarkReaderContains-12    	  222150	      5398 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169400	      7009 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  192656	      6482 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80312043 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21379834 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427906	      2906 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9743573 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2864	    414211 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11811679 ns/op	  88.78 MB/s	 1648610 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  857706	      1259 ns/op
+BenchmarkAddingFields/apex/log-12          	   35078	     34256 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   32996	     35759 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33831	     35703 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217072194 ns/op	  31.62 MB/s	159355336 B/op	   17018 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28178247 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53094	     22531 ns/op	 363.58 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2786638	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327884	      3663 ns/op
+BenchmarkPolygon-12    	  178086	      6726 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   69895	     16979 ns/op
+BenchmarkRegexMatch-12       	  865808	      1374 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8146	    145210 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3801	    317376 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3010	    392905 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255885	      4662 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118281 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199440	      6044 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3609772	       339 ns/op
+BenchmarkParallelDirectSend-12    	 3475728	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2289902	       522 ns/op
+BenchmarkMuxBrodcast-12           	 2280805	       534 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  697741	      1626 ns/op
+BenchmarkFtoaRegexTrailing-12    	  578589	      2073 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1314800 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      40	  29684914 ns/op
+BenchmarkLZ-12      	    1856	    625887 ns/op
+BenchmarkMTFT-12    	     259	   4620131 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5674180 ns/op
+BenchmarkRenderSpec-12                	     211	   5720968 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3813726 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     264	   4601870 ns/op	17862953 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14477852 ns/op	12089387 B/op	   52685 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9621615	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1964530	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72566	     16532 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     934	   1282863 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4669566	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50166846	        22.7 ns/op
+BenchmarkCompactToHex-12     	36053878	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	33033060	        36.5 ns/op
+BenchmarkHexToKeybytes-12    	52425720	        22.8 ns/op
+BenchmarkGet-12              	 6955830	       172 ns/op
+BenchmarkGetDB-12            	 7562584	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1078 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1374 ns/op
+BenchmarkHash-12             	  353425	      3512 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24458241689 ns/op
+BenchmarkRun/10k/16-12      	       1	5282695360 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297139	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1399908	       857 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30573	     39629 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9981452 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  64495676 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51423	     22166 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1552500	       771 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429657	      2781 ns/op
+BenchmarkReaderContains-12    	  221812	      5470 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168999	      7047 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  190062	      6522 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79931446 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21344939 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427022	      2902 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9782883 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2745	    436348 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11781205 ns/op	  89.01 MB/s	 1648634 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  886732	      1267 ns/op
+BenchmarkAddingFields/apex/log-12          	   34914	     34347 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   32886	     39213 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33438	     35511 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215347523 ns/op	  31.88 MB/s	159354009 B/op	   17009 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28002330 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53206	     22575 ns/op	 362.88 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2852569	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327366	      3656 ns/op
+BenchmarkPolygon-12    	  176946	      6737 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70185	     17157 ns/op
+BenchmarkRegexMatch-12       	  868591	      1386 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8217	    145234 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3793	    316538 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3044	    392233 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255434	      4667 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9888	    118225 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198460	      6038 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3577411	       331 ns/op
+BenchmarkParallelDirectSend-12    	 3463711	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2293683	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2244462	       507 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  711631	      1621 ns/op
+BenchmarkFtoaRegexTrailing-12    	  582030	      2077 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1311667 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29730931 ns/op
+BenchmarkLZ-12      	    1868	    626981 ns/op
+BenchmarkMTFT-12    	     258	   4627959 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5668863 ns/op
+BenchmarkRenderSpec-12                	     210	   5680238 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3805641 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     262	   4560946 ns/op	17861857 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14278476 ns/op	12061360 B/op	   52572 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9625844	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963251	       614 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72427	     16568 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     930	   1278139 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4681702	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51864576	        22.8 ns/op
+BenchmarkCompactToHex-12     	35692753	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32497712	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52652810	        22.8 ns/op
+BenchmarkGet-12              	 6978802	       172 ns/op
+BenchmarkGetDB-12            	 7537196	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1084 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1372 ns/op
+BenchmarkHash-12             	  348945	      3583 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24423583155 ns/op
+BenchmarkRun/10k/16-12      	       1	5204381998 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297583	      4029 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402446	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30258	     39874 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9884468 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60915184 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52358	     22516 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1555843	       781 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  426004	      2786 ns/op
+BenchmarkReaderContains-12    	  223012	      5405 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169189	      7061 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  192463	      6452 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79788819 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21357864 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  423716	      2930 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9732545 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2913	    411277 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11797694 ns/op	  88.88 MB/s	 1648614 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  952230	      1268 ns/op
+BenchmarkAddingFields/apex/log-12          	   35055	     34343 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33298	     35996 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33820	     37236 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 214463405 ns/op	  32.01 MB/s	159356212 B/op	   17025 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28139445 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53152	     22566 ns/op	 363.02 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2797996	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326358	      3660 ns/op
+BenchmarkPolygon-12    	  177710	      6742 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70203	     16964 ns/op
+BenchmarkRegexMatch-12       	  869563	      1374 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8181	    145568 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3782	    317038 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3046	    393547 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256996	      4671 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118237 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198662	      6039 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3577884	       332 ns/op
+BenchmarkParallelDirectSend-12    	 3482059	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2304178	       521 ns/op
+BenchmarkMuxBrodcast-12           	 2384481	       520 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  711147	      1620 ns/op
+BenchmarkFtoaRegexTrailing-12    	  569853	      2131 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1312265 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      40	  29678545 ns/op
+BenchmarkLZ-12      	    1866	    627067 ns/op
+BenchmarkMTFT-12    	     259	   4625310 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5682859 ns/op
+BenchmarkRenderSpec-12                	     210	   5678782 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3813950 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     260	   4668230 ns/op	17863492 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      78	  14344409 ns/op	12003105 B/op	   52632 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9610418	       124 ns/op
+BenchmarkBaseTest2KB-12              	 1971278	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72306	     16562 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     931	   1286846 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4678573	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51643940	        22.8 ns/op
+BenchmarkCompactToHex-12     	35539714	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32436127	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	51980306	        22.8 ns/op
+BenchmarkGet-12              	 6971068	       172 ns/op
+BenchmarkGetDB-12            	 7434006	       158 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1074 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1374 ns/op
+BenchmarkHash-12             	  355329	      3532 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24448032491 ns/op
+BenchmarkRun/10k/16-12      	       1	5257964065 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297219	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402219	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   29734	     39730 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9815028 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60952588 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52398	     22117 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1559992	       774 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  427489	      2781 ns/op
+BenchmarkReaderContains-12    	  222926	      5394 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168457	      7033 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193917	      6424 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80056811 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21384577 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  431080	      2876 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     123	   9690128 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2738	    438144 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11838028 ns/op	  88.58 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  848076	      1257 ns/op
+BenchmarkAddingFields/apex/log-12          	   35104	     34227 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33188	     35554 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33390	     35490 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216057448 ns/op	  31.77 MB/s	159354467 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28052028 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53137	     22544 ns/op	 363.39 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2812011	       429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327514	      3669 ns/op
+BenchmarkPolygon-12    	  178116	      6738 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   69534	     18538 ns/op
+BenchmarkRegexMatch-12       	  856844	      1380 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8100	    146287 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3801	    316442 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3032	    391955 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256282	      4672 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118021 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199612	      6040 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3556924	       332 ns/op
+BenchmarkParallelDirectSend-12    	 3506851	       344 ns/op
+BenchmarkParallelBrodcast-12      	 2296950	       524 ns/op
+BenchmarkMuxBrodcast-12           	 2236220	       513 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  698192	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  583761	      2092 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     914	   1316429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29667896 ns/op
+BenchmarkLZ-12      	    1863	    626365 ns/op
+BenchmarkMTFT-12    	     258	   4621742 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     212	   5681412 ns/op
+BenchmarkRenderSpec-12                	     211	   5698815 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3848077 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     259	   4659707 ns/op	17863149 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14505687 ns/op	12080307 B/op	   52643 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9636926	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1966687	       610 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72343	     16586 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     930	   1293133 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4686362	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51355563	        22.8 ns/op
+BenchmarkCompactToHex-12     	35918776	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32762894	        36.7 ns/op
+BenchmarkHexToKeybytes-12    	52666033	        22.8 ns/op
+BenchmarkGet-12              	 6918304	       172 ns/op
+BenchmarkGetDB-12            	 7409388	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1076 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1371 ns/op
+BenchmarkHash-12             	  355527	      3551 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24450764096 ns/op
+BenchmarkRun/10k/16-12      	       1	5279819327 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  296034	      4031 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403166	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   29517	     40153 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9821370 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60874158 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52335	     22133 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1556696	       770 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  426907	      2777 ns/op
+BenchmarkReaderContains-12    	  222278	      5399 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168184	      7026 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194461	      6369 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79904327 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21350373 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425763	      2923 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9708174 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2745	    436986 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11776522 ns/op	  89.04 MB/s	 1648612 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  850560	      1263 ns/op
+BenchmarkAddingFields/apex/log-12          	   34719	     34440 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33370	     35657 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33804	     35649 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217083279 ns/op	  31.62 MB/s	159354971 B/op	   17015 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28362771 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   52546	     22561 ns/op	 363.10 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2822761	       420 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  329989	      3664 ns/op
+BenchmarkPolygon-12    	  178225	      6735 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70213	     16997 ns/op
+BenchmarkRegexMatch-12       	  870729	      1373 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8172	    145333 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3776	    317920 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3034	    393713 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255512	      4671 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9943	    118888 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199249	      6024 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3566996	       335 ns/op
+BenchmarkParallelDirectSend-12    	 3471308	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2298223	       523 ns/op
+BenchmarkMuxBrodcast-12           	 2322412	       505 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  707752	      1625 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579193	      2079 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1311975 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      40	  29694010 ns/op
+BenchmarkLZ-12      	    1872	    626691 ns/op
+BenchmarkMTFT-12    	     258	   4622164 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5688656 ns/op
+BenchmarkRenderSpec-12                	     210	   5695556 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3810756 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     255	   4625123 ns/op	17862365 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      84	  14378862 ns/op	12062289 B/op	   52614 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9616557	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963051	       612 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72321	     16595 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     931	   1282447 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4681407	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51900987	        22.8 ns/op
+BenchmarkCompactToHex-12     	35485479	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32979264	        36.6 ns/op
+BenchmarkHexToKeybytes-12    	52828173	        22.8 ns/op
+BenchmarkGet-12              	 6916500	       172 ns/op
+BenchmarkGetDB-12            	 7479386	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1085 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1370 ns/op
+BenchmarkHash-12             	  353224	      3553 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24498366450 ns/op
+BenchmarkRun/10k/16-12      	       1	5312168485 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297463	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402947	       869 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30414	     39530 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9842572 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60921793 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51607	     22131 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1539765	       791 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429916	      2779 ns/op
+BenchmarkReaderContains-12    	  222558	      5397 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168777	      7079 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  191540	      6465 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80212484 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21550757 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424104	      2931 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     123	   9703910 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2742	    437763 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11789742 ns/op	  88.94 MB/s	 1648636 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  904239	      1258 ns/op
+BenchmarkAddingFields/apex/log-12          	   35124	     34530 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33140	     35653 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33939	     35506 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216698797 ns/op	  31.68 MB/s	159354907 B/op	   17014 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28100682 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53191	     22539 ns/op	 363.46 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2849584	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328954	      3669 ns/op
+BenchmarkPolygon-12    	  177687	      6732 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70267	     16988 ns/op
+BenchmarkRegexMatch-12       	  868100	      1388 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8162	    145354 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3796	    317777 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3069	    392631 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256077	      4670 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    117818 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199485	      6041 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3644851	       336 ns/op
+BenchmarkParallelDirectSend-12    	 3483152	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2264133	       523 ns/op
+BenchmarkMuxBrodcast-12           	 2353945	       531 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  709957	      1624 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581283	      2086 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1314686 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29655014 ns/op
+BenchmarkLZ-12      	    1867	    626052 ns/op
+BenchmarkMTFT-12    	     258	   4627480 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5693038 ns/op
+BenchmarkRenderSpec-12                	     210	   5697041 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     314	   3820599 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     262	   4560813 ns/op	17862253 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14627846 ns/op	12079601 B/op	   52694 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9623883	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963506	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72108	     16598 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     931	   1284610 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4671146	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51913094	        22.8 ns/op
+BenchmarkCompactToHex-12     	36121694	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	32855523	        36.6 ns/op
+BenchmarkHexToKeybytes-12    	52495585	        22.8 ns/op
+BenchmarkGet-12              	 6956637	       172 ns/op
+BenchmarkGetDB-12            	 7416373	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1082 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1385 ns/op
+BenchmarkHash-12             	  351254	      3522 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24533656440 ns/op
+BenchmarkRun/10k/16-12      	       1	5181746906 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297656	      4015 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403397	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30398	     41030 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9856126 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61646771 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51398	     22519 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1552724	       785 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429606	      2777 ns/op
+BenchmarkReaderContains-12    	  222849	      5398 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169915	      7030 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193034	      6442 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80126451 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21389397 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424502	      2915 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9737321 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2754	    436090 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11789651 ns/op	  88.94 MB/s	 1648611 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  863163	      1262 ns/op
+BenchmarkAddingFields/apex/log-12          	   35330	     34203 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33376	     36134 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33646	     35544 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215462674 ns/op	  31.86 MB/s	159354723 B/op	   17014 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27959645 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53050	     22571 ns/op	 362.95 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2827243	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327620	      3673 ns/op
+BenchmarkPolygon-12    	  175130	      6908 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70225	     16951 ns/op
+BenchmarkRegexMatch-12       	  868257	      1386 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8049	    145431 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3787	    316955 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3057	    392843 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  257923	      4665 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118149 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198634	      6044 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3546861	       337 ns/op
+BenchmarkParallelDirectSend-12    	 3437181	       345 ns/op
+BenchmarkParallelBrodcast-12      	 2292290	       525 ns/op
+BenchmarkMuxBrodcast-12           	 2275155	       515 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  704524	      1625 ns/op
+BenchmarkFtoaRegexTrailing-12    	  570268	      2218 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     907	   1315009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      40	  29778846 ns/op
+BenchmarkLZ-12      	    1873	    626880 ns/op
+BenchmarkMTFT-12    	     258	   4627162 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5693173 ns/op
+BenchmarkRenderSpec-12                	     210	   5682636 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3808077 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     260	   4584241 ns/op	17863857 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14481064 ns/op	12067302 B/op	   52676 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9620578	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1965427	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72043	     16569 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     932	   1287515 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4677754	       256 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51725398	        22.7 ns/op
+BenchmarkCompactToHex-12     	36104301	        33.4 ns/op
+BenchmarkKeybytesToHex-12    	33071868	        36.5 ns/op
+BenchmarkHexToKeybytes-12    	52590576	        22.8 ns/op
+BenchmarkGet-12              	 6947089	       173 ns/op
+BenchmarkGetDB-12            	 7427539	       158 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1085 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1385 ns/op
+BenchmarkHash-12             	  357648	      3505 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24432148916 ns/op
+BenchmarkRun/10k/16-12      	       1	5257310674 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298460	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402110	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30531	     39679 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9856102 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60849313 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51700	     22077 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1537297	       788 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429645	      2776 ns/op
+BenchmarkReaderContains-12    	  223058	      5414 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169777	      7055 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  192618	      6438 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  79881604 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21577877 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425565	      2943 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9707461 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2743	    438192 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11768043 ns/op	  89.11 MB/s	 1648636 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  875362	      1268 ns/op
+BenchmarkAddingFields/apex/log-12          	   35562	     34314 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33399	     35746 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33339	     35509 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 214850826 ns/op	  31.95 MB/s	159354345 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28105714 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53269	     22566 ns/op	 363.03 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2852445	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327374	      3659 ns/op
+BenchmarkPolygon-12    	  177480	      6766 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70321	     16969 ns/op
+BenchmarkRegexMatch-12       	  870370	      1378 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8148	    145113 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3788	    316749 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3043	    392391 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  256123	      4673 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	   10000	    118184 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199646	      6037 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3564309	       336 ns/op
+BenchmarkParallelDirectSend-12    	 3496837	       344 ns/op
+BenchmarkParallelBrodcast-12      	 2300808	       521 ns/op
+BenchmarkMuxBrodcast-12           	 2404798	       527 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  699225	      1623 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580549	      2082 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1315372 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      40	  29648302 ns/op
+BenchmarkLZ-12      	    1862	    626783 ns/op
+BenchmarkMTFT-12    	     258	   4632436 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5686195 ns/op
+BenchmarkRenderSpec-12                	     210	   5679905 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3798014 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     270	   4572101 ns/op	17861568 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      84	  14423035 ns/op	12062136 B/op	   52560 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9632176	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1965526	       611 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72213	     16552 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1283001 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4665343	       257 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51559782	        22.8 ns/op
+BenchmarkCompactToHex-12     	35465664	        33.6 ns/op
+BenchmarkKeybytesToHex-12    	32578394	        36.8 ns/op
+BenchmarkHexToKeybytes-12    	52596447	        22.8 ns/op
+BenchmarkGet-12              	 6895531	       172 ns/op
+BenchmarkGetDB-12            	 7351369	       159 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1079 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1383 ns/op
+BenchmarkHash-12             	  352754	      3545 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24445446695 ns/op
+BenchmarkRun/10k/16-12      	       1	5257962152 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297447	      4030 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402507	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   29690	     39464 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847598 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  60798087 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51529	     22171 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1556199	       782 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  431648	      2779 ns/op
+BenchmarkReaderContains-12    	  223730	      5400 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168150	      7049 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193483	      6412 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80342701 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21822622 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  423570	      2936 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9746271 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2750	    437616 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11801187 ns/op	  88.86 MB/s	 1648611 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  836164	      1256 ns/op
+BenchmarkAddingFields/apex/log-12          	   35334	     34515 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   33366	     35636 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   33490	     36138 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215397252 ns/op	  31.87 MB/s	159355635 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28100913 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53205	     22535 ns/op	 363.52 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2851843	       421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325989	      3663 ns/op
+BenchmarkPolygon-12    	  178144	      6736 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70466	     16966 ns/op
+BenchmarkRegexMatch-12       	  869374	      1375 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8205	    145177 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3796	    316692 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3057	    391427 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255736	      4680 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9987	    117946 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199560	      6040 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3544281	       338 ns/op
+BenchmarkParallelDirectSend-12    	 3438952	       343 ns/op
+BenchmarkParallelBrodcast-12      	 2285640	       522 ns/op
+BenchmarkMuxBrodcast-12           	 2251455	       532 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  697395	      1628 ns/op
+BenchmarkFtoaRegexTrailing-12    	  578712	      2090 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1311819 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.629 ns/op
+BenchmarkFPAQ-12    	      39	  30858280 ns/op
+BenchmarkLZ-12      	    1863	    631383 ns/op
+BenchmarkMTFT-12    	     258	   4632118 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5689277 ns/op
+BenchmarkRenderSpec-12                	     211	   5683203 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     315	   3801541 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     258	   4536039 ns/op	17863253 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      73	  15178146 ns/op	12029999 B/op	   52672 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9630903	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1963424	       610 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   72236	     16556 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     927	   1286414 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 3996835	       273 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51151875	        24.1 ns/op
+BenchmarkCompactToHex-12     	28510686	        36.7 ns/op
+BenchmarkKeybytesToHex-12    	33034208	        38.8 ns/op
+BenchmarkHexToKeybytes-12    	52677710	        23.7 ns/op
+BenchmarkGet-12              	 6925426	       193 ns/op
+BenchmarkGetDB-12            	 7419450	       158 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1206 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1467 ns/op
+BenchmarkHash-12             	  356280	      3532 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24525692565 ns/op
+BenchmarkRun/10k/16-12      	       1	5799363323 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297580	      4029 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401181	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30612	     39891 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9851986 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  66214401 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51340	     22550 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1514468	       828 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  400389	      3033 ns/op
+BenchmarkReaderContains-12    	  222012	      5747 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  156326	      7948 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  191137	      6552 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  80344095 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      51	  22391041 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  406524	      2956 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     122	   9901710 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2746	    438589 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11922357 ns/op	  87.95 MB/s	 1648636 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  813508	      1419 ns/op
+BenchmarkAddingFields/apex/log-12          	   35114	     33743 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   30765	     45881 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   24819	     47121 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 220185562 ns/op	  31.18 MB/s	159353628 B/op	   17007 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      38	  29502589 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53140	     22544 ns/op	 363.38 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2829404	       422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325660	      3682 ns/op
+BenchmarkPolygon-12    	  178089	      7210 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   70006	     17617 ns/op
+BenchmarkRegexMatch-12       	  863810	      1378 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8144	    146691 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3782	    317323 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3045	    439725 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  255788	      4658 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9979	    126640 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199695	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3629589	       329 ns/op
+BenchmarkParallelDirectSend-12    	 3539083	       340 ns/op
+BenchmarkParallelBrodcast-12      	 2282930	       526 ns/op
+BenchmarkMuxBrodcast-12           	 2350209	       504 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  723451	      1702 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581494	      2109 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1313787 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      39	  29720040 ns/op
+BenchmarkLZ-12      	    1872	    646501 ns/op
+BenchmarkMTFT-12    	     258	   4630415 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     210	   5682609 ns/op
+BenchmarkRenderSpec-12                	     207	   6014778 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     282	   4036241 ns/op
+PASS
diff --git a/benchfmt/testdata/bent/20200101T213604.Tip.benchdwarf b/benchfmt/testdata/bent/20200101T213604.Tip.benchdwarf
new file mode 100644
index 0000000..e60f197
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Tip.benchdwarf
@@ -0,0 +1,306 @@
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-136342
+tmp dwarf args quality wc =  132 tmp-bench-dwarf-136342
+tmp stmt args quality wc =  2 tmp-bench-dwarf-136342
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-136342
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_storage_dwarf_args_goodness 1 0.902314 args-quality
+Benchmarkethereum_storage_dwarf_stmt_goodness 1 0.9933 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-137437
+tmp dwarf args quality wc =  126 tmp-bench-dwarf-137437
+tmp stmt args quality wc =  2 tmp-bench-dwarf-137437
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-137437
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkethereum_core_dwarf_args_goodness 1 0.891851 args-quality
+Benchmarkethereum_core_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-138490
+tmp dwarf args quality wc =  124 tmp-bench-dwarf-138490
+tmp stmt args quality wc =  2 tmp-bench-dwarf-138490
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-138490
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_ethash_dwarf_args_goodness 1 0.900252 args-quality
+Benchmarkethereum_ethash_dwarf_stmt_goodness 1 0.9931 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-140308
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-140308
+tmp stmt args quality wc =  2 tmp-bench-dwarf-140308
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-140308
+goos: linux
+goarch: amd64
+Benchmarkspexs2_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkspexs2_dwarf_args_goodness 1 0.944502 args-quality
+Benchmarkspexs2_dwarf_stmt_goodness 1 0.9945 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-141752
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-141752
+tmp stmt args quality wc =  2 tmp-bench-dwarf-141752
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-141752
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkericlagergren_decimal_dwarf_args_goodness 1 0.930636 args-quality
+Benchmarkericlagergren_decimal_dwarf_stmt_goodness 1 0.9941 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-141977
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-141977
+tmp stmt args quality wc =  2 tmp-bench-dwarf-141977
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-141977
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_xxhash_dwarf_args_goodness 1 0.944444 args-quality
+Benchmarkcespare_xxhash_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-142288
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-142288
+tmp stmt args quality wc =  2 tmp-bench-dwarf-142288
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-142288
+goos: linux
+goarch: amd64
+Benchmarkkanzi_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkkanzi_dwarf_args_goodness 1 0.944327 args-quality
+Benchmarkkanzi_dwarf_stmt_goodness 1 0.9930 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-143723
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-143723
+tmp stmt args quality wc =  2 tmp-bench-dwarf-143723
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-143723
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkbenhoyt_goawk_dwarf_args_goodness 1 0.902589 args-quality
+Benchmarkbenhoyt_goawk_dwarf_stmt_goodness 1 0.9949 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-143944
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-143944
+tmp stmt args quality wc =  2 tmp-bench-dwarf-143944
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-143944
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcespare_mph_dwarf_args_goodness 1 0.945691 args-quality
+Benchmarkcespare_mph_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-146791
+tmp dwarf args quality wc =  115 tmp-bench-dwarf-146791
+tmp stmt args quality wc =  2 tmp-bench-dwarf-146791
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-146791
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_trie_dwarf_args_goodness 1 0.908343 args-quality
+Benchmarkethereum_trie_dwarf_stmt_goodness 1 0.9903 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-150615
+tmp dwarf args quality wc =  36 tmp-bench-dwarf-150615
+tmp stmt args quality wc =  2 tmp-bench-dwarf-150615
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-150615
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkk8s_schedulercache_dwarf_args_goodness 1 0.856772 args-quality
+Benchmarkk8s_schedulercache_dwarf_stmt_goodness 1 0.9939 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-153980
+tmp dwarf args quality wc =  474 tmp-bench-dwarf-153980
+tmp stmt args quality wc =  2 tmp-bench-dwarf-153980
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-153980
+goos: linux
+goarch: amd64
+Benchmarkminio_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkminio_dwarf_args_goodness 1 0.894254 args-quality
+Benchmarkminio_dwarf_stmt_goodness 1 0.9920 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-154280
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-154280
+tmp stmt args quality wc =  2 tmp-bench-dwarf-154280
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-154280
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkdustin_broadcast_dwarf_args_goodness 1 0.942757 args-quality
+Benchmarkdustin_broadcast_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-155464
+tmp dwarf args quality wc =  6 tmp-bench-dwarf-155464
+tmp stmt args quality wc =  2 tmp-bench-dwarf-155464
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-155464
+goos: linux
+goarch: amd64
+Benchmarkbindata_dwarf_input_goodness 1 0.60 inputs-quality
+Benchmarkbindata_dwarf_args_goodness 1 0.942670 args-quality
+Benchmarkbindata_dwarf_stmt_goodness 1 0.9957 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-157733
+tmp dwarf args quality wc =  25 tmp-bench-dwarf-157733
+tmp stmt args quality wc =  2 tmp-bench-dwarf-157733
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-157733
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkk8s_api_dwarf_args_goodness 1 0.847817 args-quality
+Benchmarkk8s_api_dwarf_stmt_goodness 1 0.9927 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-158463
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-158463
+tmp stmt args quality wc =  2 tmp-bench-dwarf-158463
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-158463
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkgonum_lapack_native_dwarf_args_goodness 1 0.909906 args-quality
+Benchmarkgonum_lapack_native_dwarf_stmt_goodness 1 0.9944 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-159351
+tmp dwarf args quality wc =  5 tmp-bench-dwarf-159351
+tmp stmt args quality wc =  2 tmp-bench-dwarf-159351
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-159351
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_blas_native_dwarf_args_goodness 1 0.955929 args-quality
+Benchmarkgonum_blas_native_dwarf_stmt_goodness 1 0.9960 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-159593
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-159593
+tmp stmt args quality wc =  2 tmp-bench-dwarf-159593
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-159593
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkajstarks_deck_generate_dwarf_args_goodness 1 0.942005 args-quality
+Benchmarkajstarks_deck_generate_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-159872
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-159872
+tmp stmt args quality wc =  2 tmp-bench-dwarf-159872
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-159872
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkethereum_bitutil_dwarf_args_goodness 1 0.938161 args-quality
+Benchmarkethereum_bitutil_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-160110
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-160110
+tmp stmt args quality wc =  2 tmp-bench-dwarf-160110
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-160110
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgtank_blake2s_dwarf_args_goodness 1 0.944444 args-quality
+Benchmarkgtank_blake2s_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-164262
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-164262
+tmp stmt args quality wc =  2 tmp-bench-dwarf-164262
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-164262
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkgonum_topo_dwarf_args_goodness 1 0.940139 args-quality
+Benchmarkgonum_topo_dwarf_stmt_goodness 1 0.9953 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-164502
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-164502
+tmp stmt args quality wc =  2 tmp-bench-dwarf-164502
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-164502
+goos: linux
+goarch: amd64
+Benchmarksemver_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarksemver_dwarf_args_goodness 1 0.946993 args-quality
+Benchmarksemver_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-165934
+tmp dwarf args quality wc =  9 tmp-bench-dwarf-165934
+tmp stmt args quality wc =  2 tmp-bench-dwarf-165934
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-165934
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_dwarf_input_goodness 1 0.53 inputs-quality
+Benchmarkgonum_mat_dwarf_args_goodness 1 0.906622 args-quality
+Benchmarkgonum_mat_dwarf_stmt_goodness 1 0.9947 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-170524
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-170524
+tmp stmt args quality wc =  2 tmp-bench-dwarf-170524
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-170524
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_dwarf_input_goodness 1 0.57 inputs-quality
+Benchmarkgonum_traverse_dwarf_args_goodness 1 0.941244 args-quality
+Benchmarkgonum_traverse_dwarf_stmt_goodness 1 0.9952 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-172183
+tmp dwarf args quality wc =  114 tmp-bench-dwarf-172183
+tmp stmt args quality wc =  2 tmp-bench-dwarf-172183
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-172183
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkethereum_corevm_dwarf_args_goodness 1 0.875817 args-quality
+Benchmarkethereum_corevm_dwarf_stmt_goodness 1 0.9897 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-172518
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-172518
+tmp stmt args quality wc =  2 tmp-bench-dwarf-172518
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-172518
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkcommonmark_markdown_dwarf_args_goodness 1 0.869707 args-quality
+Benchmarkcommonmark_markdown_dwarf_stmt_goodness 1 0.9962 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-173423
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-173423
+tmp stmt args quality wc =  2 tmp-bench-dwarf-173423
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-173423
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_dwarf_input_goodness 1 0.56 inputs-quality
+Benchmarkgonum_path_dwarf_args_goodness 1 0.933889 args-quality
+Benchmarkgonum_path_dwarf_stmt_goodness 1 0.9955 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-175892
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-175892
+tmp stmt args quality wc =  2 tmp-bench-dwarf-175892
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-175892
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkdustin_humanize_dwarf_args_goodness 1 0.913631 args-quality
+Benchmarkdustin_humanize_dwarf_stmt_goodness 1 0.9947 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-176759
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-176759
+tmp stmt args quality wc =  2 tmp-bench-dwarf-176759
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-176759
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_dwarf_input_goodness 1 0.55 inputs-quality
+Benchmarkgonum_community_dwarf_args_goodness 1 0.930175 args-quality
+Benchmarkgonum_community_dwarf_stmt_goodness 1 0.9950 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-176998
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-176998
+tmp stmt args quality wc =  2 tmp-bench-dwarf-176998
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-176998
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarknelsam_gxui_interval_dwarf_args_goodness 1 0.941676 args-quality
+Benchmarknelsam_gxui_interval_dwarf_stmt_goodness 1 0.9951 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-177239
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-177239
+tmp stmt args quality wc =  2 tmp-bench-dwarf-177239
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-177239
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkrcrowley_metrics_dwarf_args_goodness 1 0.910828 args-quality
+Benchmarkrcrowley_metrics_dwarf_stmt_goodness 1 0.9936 stmts-quality
+tmp dwarf line quality wc =  2 tmp-bench-dwarf-177620
+tmp dwarf args quality wc =  4 tmp-bench-dwarf-177620
+tmp stmt args quality wc =  2 tmp-bench-dwarf-177620
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-177620
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkcapnproto2_dwarf_args_goodness 1 0.942807 args-quality
+Benchmarkcapnproto2_dwarf_stmt_goodness 1 0.9958 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-179031
+tmp dwarf args quality wc =  11 tmp-bench-dwarf-179031
+tmp stmt args quality wc =  2 tmp-bench-dwarf-179031
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-179031
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_dwarf_input_goodness 1 0.58 inputs-quality
+Benchmarkuber_zap_dwarf_args_goodness 1 0.902839 args-quality
+Benchmarkuber_zap_dwarf_stmt_goodness 1 0.9965 stmts-quality
+tmp dwarf line quality wc =  3 tmp-bench-dwarf-181538
+tmp dwarf args quality wc =  29 tmp-bench-dwarf-181538
+tmp stmt args quality wc =  2 tmp-bench-dwarf-181538
+tmp stmt args kind quality wc =  2 tmp-bench-dwarf-181538
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_dwarf_input_goodness 1 0.59 inputs-quality
+Benchmarkhugo_helpers_dwarf_args_goodness 1 0.879929 args-quality
+Benchmarkhugo_helpers_dwarf_stmt_goodness 1 0.9964 stmts-quality
diff --git a/benchfmt/testdata/bent/20200101T213604.Tip.benchsize b/benchfmt/testdata/bent/20200101T213604.Tip.benchsize
new file mode 100644
index 0000000..93d2434
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Tip.benchsize
@@ -0,0 +1,272 @@
+goos: linux
+goarch: amd64
+Benchmarkethereum_storage_total 1 11743846 total-bytes
+Benchmarkethereum_storage_text 1 4259905 text-bytes
+Benchmarkethereum_storage_data 1 46800 data-bytes
+Benchmarkethereum_storage_rodata 1 1694128 rodata-bytes
+Benchmarkethereum_storage_pclntab 1 2805345 pclntab-bytes
+Benchmarkethereum_storage_zdebug_total 1 2455343 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_core_total 1 16298520 total-bytes
+Benchmarkethereum_core_text 1 5540657 text-bytes
+Benchmarkethereum_core_data 1 53488 data-bytes
+Benchmarkethereum_core_rodata 1 3378632 rodata-bytes
+Benchmarkethereum_core_pclntab 1 3596262 pclntab-bytes
+Benchmarkethereum_core_zdebug_total 1 3086352 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_ethash_total 1 12001554 total-bytes
+Benchmarkethereum_ethash_text 1 4294289 text-bytes
+Benchmarkethereum_ethash_data 1 53168 data-bytes
+Benchmarkethereum_ethash_rodata 1 1834024 rodata-bytes
+Benchmarkethereum_ethash_pclntab 1 2804495 pclntab-bytes
+Benchmarkethereum_ethash_zdebug_total 1 2495962 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkspexs2_total 1 3762107 total-bytes
+Benchmarkspexs2_text 1 1208028 text-bytes
+Benchmarkspexs2_data 1 32752 data-bytes
+Benchmarkspexs2_rodata 1 535243 rodata-bytes
+Benchmarkspexs2_pclntab 1 852954 pclntab-bytes
+Benchmarkspexs2_zdebug_total 1 866387 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkericlagergren_decimal_total 1 4094893 total-bytes
+Benchmarkericlagergren_decimal_text 1 1319084 text-bytes
+Benchmarkericlagergren_decimal_data 1 34512 data-bytes
+Benchmarkericlagergren_decimal_rodata 1 571149 rodata-bytes
+Benchmarkericlagergren_decimal_pclntab 1 932156 pclntab-bytes
+Benchmarkericlagergren_decimal_zdebug_total 1 946437 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_xxhash_total 1 3307228 total-bytes
+Benchmarkcespare_xxhash_text 1 1034428 text-bytes
+Benchmarkcespare_xxhash_data 1 31696 data-bytes
+Benchmarkcespare_xxhash_rodata 1 472701 rodata-bytes
+Benchmarkcespare_xxhash_pclntab 1 744968 pclntab-bytes
+Benchmarkcespare_xxhash_zdebug_total 1 759212 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkkanzi_total 1 3880023 total-bytes
+Benchmarkkanzi_text 1 1217004 text-bytes
+Benchmarkkanzi_data 1 32272 data-bytes
+Benchmarkkanzi_rodata 1 519130 rodata-bytes
+Benchmarkkanzi_pclntab 1 840238 pclntab-bytes
+Benchmarkkanzi_zdebug_total 1 889180 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbenhoyt_goawk_total 1 4626755 total-bytes
+Benchmarkbenhoyt_goawk_text 1 1491118 text-bytes
+Benchmarkbenhoyt_goawk_data 1 34096 data-bytes
+Benchmarkbenhoyt_goawk_rodata 1 723168 rodata-bytes
+Benchmarkbenhoyt_goawk_pclntab 1 1070215 pclntab-bytes
+Benchmarkbenhoyt_goawk_zdebug_total 1 1030363 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcespare_mph_total 1 3303263 total-bytes
+Benchmarkcespare_mph_text 1 1033740 text-bytes
+Benchmarkcespare_mph_data 1 32240 data-bytes
+Benchmarkcespare_mph_rodata 1 471547 rodata-bytes
+Benchmarkcespare_mph_pclntab 1 742869 pclntab-bytes
+Benchmarkcespare_mph_zdebug_total 1 758488 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_trie_total 1 7777963 total-bytes
+Benchmarkethereum_trie_text 1 2765265 text-bytes
+Benchmarkethereum_trie_data 1 38096 data-bytes
+Benchmarkethereum_trie_rodata 1 1082664 rodata-bytes
+Benchmarkethereum_trie_pclntab 1 1878830 pclntab-bytes
+Benchmarkethereum_trie_zdebug_total 1 1691673 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_schedulercache_total 1 33818537 total-bytes
+Benchmarkk8s_schedulercache_text 1 13356508 text-bytes
+Benchmarkk8s_schedulercache_data 1 64624 data-bytes
+Benchmarkk8s_schedulercache_rodata 1 4460162 rodata-bytes
+Benchmarkk8s_schedulercache_pclntab 1 8721887 pclntab-bytes
+Benchmarkk8s_schedulercache_zdebug_total 1 6564383 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkminio_total 1 52978938 total-bytes
+Benchmarkminio_text 1 18043649 text-bytes
+Benchmarkminio_data 1 132280 data-bytes
+Benchmarkminio_rodata 1 7910552 rodata-bytes
+Benchmarkminio_pclntab 1 11311092 pclntab-bytes
+Benchmarkminio_zdebug_total 1 9595692 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_broadcast_total 1 3319973 total-bytes
+Benchmarkdustin_broadcast_text 1 1036252 text-bytes
+Benchmarkdustin_broadcast_data 1 31792 data-bytes
+Benchmarkdustin_broadcast_rodata 1 477092 rodata-bytes
+Benchmarkdustin_broadcast_pclntab 1 747706 pclntab-bytes
+Benchmarkdustin_broadcast_zdebug_total 1 762708 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkbindata_total 1 4292292 total-bytes
+Benchmarkbindata_text 1 1425500 text-bytes
+Benchmarkbindata_data 1 34032 data-bytes
+Benchmarkbindata_rodata 1 609557 rodata-bytes
+Benchmarkbindata_pclntab 1 975261 pclntab-bytes
+Benchmarkbindata_zdebug_total 1 972115 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkk8s_api_total 1 36013582 total-bytes
+Benchmarkk8s_api_text 1 14215276 text-bytes
+Benchmarkk8s_api_data 1 61776 data-bytes
+Benchmarkk8s_api_rodata 1 4519717 rodata-bytes
+Benchmarkk8s_api_pclntab 1 9587774 pclntab-bytes
+Benchmarkk8s_api_zdebug_total 1 6979754 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_lapack_native_total 1 7320194 total-bytes
+Benchmarkgonum_lapack_native_text 1 2638460 text-bytes
+Benchmarkgonum_lapack_native_data 1 36400 data-bytes
+Benchmarkgonum_lapack_native_rodata 1 1452672 rodata-bytes
+Benchmarkgonum_lapack_native_pclntab 1 1296820 pclntab-bytes
+Benchmarkgonum_lapack_native_zdebug_total 1 1435755 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_blas_native_total 1 4974575 total-bytes
+Benchmarkgonum_blas_native_text 1 1834044 text-bytes
+Benchmarkgonum_blas_native_data 1 72760 data-bytes
+Benchmarkgonum_blas_native_rodata 1 724989 rodata-bytes
+Benchmarkgonum_blas_native_pclntab 1 992214 pclntab-bytes
+Benchmarkgonum_blas_native_zdebug_total 1 1040521 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkajstarks_deck_generate_total 1 3504120 total-bytes
+Benchmarkajstarks_deck_generate_text 1 1109870 text-bytes
+Benchmarkajstarks_deck_generate_data 1 32848 data-bytes
+Benchmarkajstarks_deck_generate_rodata 1 507692 rodata-bytes
+Benchmarkajstarks_deck_generate_pclntab 1 782547 pclntab-bytes
+Benchmarkajstarks_deck_generate_zdebug_total 1 799260 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_bitutil_total 1 3641755 total-bytes
+Benchmarkethereum_bitutil_text 1 1165452 text-bytes
+Benchmarkethereum_bitutil_data 1 33616 data-bytes
+Benchmarkethereum_bitutil_rodata 1 507773 rodata-bytes
+Benchmarkethereum_bitutil_pclntab 1 822988 pclntab-bytes
+Benchmarkethereum_bitutil_zdebug_total 1 838751 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgtank_blake2s_total 1 3684557 total-bytes
+Benchmarkgtank_blake2s_text 1 1186716 text-bytes
+Benchmarkgtank_blake2s_data 1 33136 data-bytes
+Benchmarkgtank_blake2s_rodata 1 516452 rodata-bytes
+Benchmarkgtank_blake2s_pclntab 1 827257 pclntab-bytes
+Benchmarkgtank_blake2s_zdebug_total 1 855629 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_topo_total 1 3775025 total-bytes
+Benchmarkgonum_topo_text 1 1199036 text-bytes
+Benchmarkgonum_topo_data 1 39568 data-bytes
+Benchmarkgonum_topo_rodata 1 561856 rodata-bytes
+Benchmarkgonum_topo_pclntab 1 840072 pclntab-bytes
+Benchmarkgonum_topo_zdebug_total 1 847142 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarksemver_total 1 3860470 total-bytes
+Benchmarksemver_text 1 1248892 text-bytes
+Benchmarksemver_data 1 33872 data-bytes
+Benchmarksemver_rodata 1 570771 rodata-bytes
+Benchmarksemver_pclntab 1 870563 pclntab-bytes
+Benchmarksemver_zdebug_total 1 870585 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_mat_total 1 6826677 total-bytes
+Benchmarkgonum_mat_text 1 2655164 text-bytes
+Benchmarkgonum_mat_data 1 54480 data-bytes
+Benchmarkgonum_mat_rodata 1 912712 rodata-bytes
+Benchmarkgonum_mat_pclntab 1 1421578 pclntab-bytes
+Benchmarkgonum_mat_zdebug_total 1 1483856 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_traverse_total 1 3457245 total-bytes
+Benchmarkgonum_traverse_text 1 1071036 text-bytes
+Benchmarkgonum_traverse_data 1 33840 data-bytes
+Benchmarkgonum_traverse_rodata 1 508304 rodata-bytes
+Benchmarkgonum_traverse_pclntab 1 775006 pclntab-bytes
+Benchmarkgonum_traverse_zdebug_total 1 785860 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkethereum_corevm_total 1 7770292 total-bytes
+Benchmarkethereum_corevm_text 1 2582433 text-bytes
+Benchmarkethereum_corevm_data 1 44272 data-bytes
+Benchmarkethereum_corevm_rodata 1 1347560 rodata-bytes
+Benchmarkethereum_corevm_pclntab 1 1758904 pclntab-bytes
+Benchmarkethereum_corevm_zdebug_total 1 1598930 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcommonmark_markdown_total 1 5076468 total-bytes
+Benchmarkcommonmark_markdown_text 1 1636012 text-bytes
+Benchmarkcommonmark_markdown_data 1 51472 data-bytes
+Benchmarkcommonmark_markdown_rodata 1 832128 rodata-bytes
+Benchmarkcommonmark_markdown_pclntab 1 1125371 pclntab-bytes
+Benchmarkcommonmark_markdown_zdebug_total 1 1105858 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_path_total 1 3895536 total-bytes
+Benchmarkgonum_path_text 1 1241756 text-bytes
+Benchmarkgonum_path_data 1 50768 data-bytes
+Benchmarkgonum_path_rodata 1 575507 rodata-bytes
+Benchmarkgonum_path_pclntab 1 872284 pclntab-bytes
+Benchmarkgonum_path_zdebug_total 1 864798 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkdustin_humanize_total 1 4557501 total-bytes
+Benchmarkdustin_humanize_text 1 1511916 text-bytes
+Benchmarkdustin_humanize_data 1 34224 data-bytes
+Benchmarkdustin_humanize_rodata 1 658330 rodata-bytes
+Benchmarkdustin_humanize_pclntab 1 1053586 pclntab-bytes
+Benchmarkdustin_humanize_zdebug_total 1 1020158 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkgonum_community_total 1 4127335 total-bytes
+Benchmarkgonum_community_text 1 1374924 text-bytes
+Benchmarkgonum_community_data 1 56560 data-bytes
+Benchmarkgonum_community_rodata 1 593979 rodata-bytes
+Benchmarkgonum_community_pclntab 1 900209 pclntab-bytes
+Benchmarkgonum_community_zdebug_total 1 911864 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarknelsam_gxui_interval_total 1 3395607 total-bytes
+Benchmarknelsam_gxui_interval_text 1 1072396 text-bytes
+Benchmarknelsam_gxui_interval_data 1 32560 data-bytes
+Benchmarknelsam_gxui_interval_rodata 1 480438 rodata-bytes
+Benchmarknelsam_gxui_interval_pclntab 1 769424 pclntab-bytes
+Benchmarknelsam_gxui_interval_zdebug_total 1 771378 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkrcrowley_metrics_total 1 4560373 total-bytes
+Benchmarkrcrowley_metrics_text 1 1469900 text-bytes
+Benchmarkrcrowley_metrics_data 1 35472 data-bytes
+Benchmarkrcrowley_metrics_rodata 1 642730 rodata-bytes
+Benchmarkrcrowley_metrics_pclntab 1 1110875 pclntab-bytes
+Benchmarkrcrowley_metrics_zdebug_total 1 1012884 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkcapnproto2_total 1 4902542 total-bytes
+Benchmarkcapnproto2_text 1 1627020 text-bytes
+Benchmarkcapnproto2_data 1 36400 data-bytes
+Benchmarkcapnproto2_rodata 1 822476 rodata-bytes
+Benchmarkcapnproto2_pclntab 1 1093136 pclntab-bytes
+Benchmarkcapnproto2_zdebug_total 1 1042478 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkuber_zap_total 1 10252060 total-bytes
+Benchmarkuber_zap_text 1 3626444 text-bytes
+Benchmarkuber_zap_data 1 45904 data-bytes
+Benchmarkuber_zap_rodata 1 1476110 rodata-bytes
+Benchmarkuber_zap_pclntab 1 2403004 pclntab-bytes
+Benchmarkuber_zap_zdebug_total 1 2245472 zdebug-bytes
+goos: linux
+goarch: amd64
+Benchmarkhugo_helpers_total 1 23083737 total-bytes
+Benchmarkhugo_helpers_text 1 8853708 text-bytes
+Benchmarkhugo_helpers_data 1 136768 data-bytes
+Benchmarkhugo_helpers_rodata 1 4239840 rodata-bytes
+Benchmarkhugo_helpers_pclntab 1 5054707 pclntab-bytes
+Benchmarkhugo_helpers_zdebug_total 1 4143048 zdebug-bytes
diff --git a/benchfmt/testdata/bent/20200101T213604.Tip.build b/benchfmt/testdata/bent/20200101T213604.Tip.build
new file mode 100644
index 0000000..ae263d3
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Tip.build
@@ -0,0 +1,852 @@
+goos: linux
+goarch: amd64
+BenchmarkEthereum_storage 1 11940000000 build-real-ns/op 15310000000 build-user-ns/op 1700000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11560000000 build-real-ns/op 20610000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10290000000 build-real-ns/op 13970000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1290000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1970000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 430000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1590000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1130000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 360000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 10030000000 build-real-ns/op 13570000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13900000000 build-real-ns/op 63810000000 build-user-ns/op 4110000000 build-sys-ns/op
+BenchmarkMinio 1 50770000000 build-real-ns/op 116810000000 build-user-ns/op 9030000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 310000000 build-real-ns/op 350000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 600000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkK8s_api 1 13550000000 build-real-ns/op 63780000000 build-user-ns/op 4230000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3270000000 build-real-ns/op 7390000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4420000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 430000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1840000000 build-real-ns/op 850000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 450000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8350000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3340000000 build-real-ns/op 9570000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2940000000 build-real-ns/op 7400000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10390000000 build-real-ns/op 15870000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7050000000 build-real-ns/op 8180000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkGonum_path 1 3080000000 build-real-ns/op 8320000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 630000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8400000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 340000000 build-real-ns/op 520000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1100000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7260000000 build-user-ns/op 470000000 build-sys-ns/op
+BenchmarkUber_zap 1 2930000000 build-real-ns/op 4820000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10500000000 build-real-ns/op 34400000000 build-user-ns/op 3080000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 400000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1260000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11630000000 build-real-ns/op 20640000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10390000000 build-real-ns/op 34190000000 build-user-ns/op 2850000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 540000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1830000000 build-real-ns/op 720000000 build-user-ns/op 390000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 630000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1380000000 build-real-ns/op 1910000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkK8s_api 1 13480000000 build-real-ns/op 63220000000 build-user-ns/op 4340000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4480000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7560000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7200000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1190000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6740000000 build-real-ns/op 8390000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1520000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10440000000 build-real-ns/op 16010000000 build-user-ns/op 1440000000 build-sys-ns/op
+BenchmarkUber_zap 1 3030000000 build-real-ns/op 4830000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7520000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkGonum_path 1 3090000000 build-real-ns/op 8250000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkGonum_community 1 3230000000 build-real-ns/op 8550000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 510000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8600000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9850000000 build-real-ns/op 13410000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 340000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 610000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9420000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 470000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 670000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkMinio 1 49790000000 build-real-ns/op 116970000000 build-user-ns/op 8420000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14090000000 build-real-ns/op 63310000000 build-user-ns/op 4059999999 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10460000000 build-real-ns/op 14110000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1030000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11730000000 build-real-ns/op 15250000000 build-user-ns/op 1560000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 380000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBindata 1 370000000 build-real-ns/op 620000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3170000000 build-real-ns/op 7230000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11410000000 build-real-ns/op 20690000000 build-user-ns/op 1800000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11700000000 build-real-ns/op 15320000000 build-user-ns/op 1580000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 430000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3280000000 build-real-ns/op 7510000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 570000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkK8s_api 1 13630000000 build-real-ns/op 63660000000 build-user-ns/op 4030000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3050000000 build-real-ns/op 7480000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9960000000 build-real-ns/op 13450000000 build-user-ns/op 1340000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13600000000 build-real-ns/op 63220000000 build-user-ns/op 4200000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1420000000 build-real-ns/op 1940000000 build-user-ns/op 390000000 build-sys-ns/op
+BenchmarkUber_zap 1 2970000000 build-real-ns/op 4860000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2300000000 build-real-ns/op 4480000000 build-user-ns/op 420000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8250000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9540000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3160000000 build-real-ns/op 9090000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10260000000 build-real-ns/op 14020000000 build-user-ns/op 1430000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1530000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7120000000 build-real-ns/op 8380000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 380000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1180000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkMinio 1 50430000000 build-real-ns/op 117650000000 build-user-ns/op 8720000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10310000000 build-real-ns/op 34310000000 build-user-ns/op 2850000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1280000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1880000000 build-real-ns/op 840000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkGonum_community 1 3140000000 build-real-ns/op 8330000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10390000000 build-real-ns/op 15960000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1130000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10410000000 build-real-ns/op 34770000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1730000000 build-real-ns/op 750000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1180000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 440000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3120000000 build-real-ns/op 7290000000 build-user-ns/op 470000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 590000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1270000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 510000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13530000000 build-real-ns/op 63380000000 build-user-ns/op 3930000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10460000000 build-real-ns/op 14060000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 610000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 470000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3100000000 build-real-ns/op 8410000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkUber_zap 1 2920000000 build-real-ns/op 4830000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkMinio 1 50980000000 build-real-ns/op 116950000000 build-user-ns/op 8900000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11680000000 build-real-ns/op 20920000000 build-user-ns/op 1820000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9820000000 build-real-ns/op 13420000000 build-user-ns/op 1300000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8320000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10350000000 build-real-ns/op 15780000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3510000000 build-real-ns/op 9880000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 530000000 build-real-ns/op 1090000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1630000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7200000000 build-real-ns/op 8280000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11800000000 build-real-ns/op 15370000000 build-user-ns/op 1530000000 build-sys-ns/op
+BenchmarkK8s_api 1 13790000000 build-real-ns/op 63570000000 build-user-ns/op 4180000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 600000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_path 1 3110000000 build-real-ns/op 8140000000 build-user-ns/op 840000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2920000000 build-real-ns/op 7350000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1960000000 build-user-ns/op 370000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1960000000 build-real-ns/op 4380000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3230000000 build-real-ns/op 7270000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 630000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkUber_zap 1 2510000000 build-real-ns/op 4800000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7070000000 build-real-ns/op 8230000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11870000000 build-real-ns/op 20900000000 build-user-ns/op 1830000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10570000000 build-real-ns/op 15990000000 build-user-ns/op 1570000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3350000000 build-real-ns/op 7450000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3110000000 build-real-ns/op 8530000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkGonum_path 1 3090000000 build-real-ns/op 8130000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10380000000 build-real-ns/op 14140000000 build-user-ns/op 1330000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9860000000 build-real-ns/op 13530000000 build-user-ns/op 1220000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1050000000 build-real-ns/op 1930000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11810000000 build-real-ns/op 15240000000 build-user-ns/op 1680000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 9870000000 build-real-ns/op 34470000000 build-user-ns/op 2690000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 480000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkK8s_api 1 13830000000 build-real-ns/op 63150000000 build-user-ns/op 4270000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 390000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 540000000 build-real-ns/op 1090000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14090000000 build-real-ns/op 63480000000 build-user-ns/op 4290000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 580000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2950000000 build-real-ns/op 7620000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkMinio 1 49920000000 build-real-ns/op 116800000000 build-user-ns/op 8820000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 410000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3050000000 build-real-ns/op 7280000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 430000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1910000000 build-real-ns/op 850000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkSpexs2 1 1120000000 build-real-ns/op 1270000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8460000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 470000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1190000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 340000000 build-real-ns/op 510000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3370000000 build-real-ns/op 9480000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2250000000 build-real-ns/op 4450000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1540000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 440000000 build-user-ns/op 40000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 600000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3160000000 build-real-ns/op 7240000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9850000000 build-real-ns/op 13530000000 build-user-ns/op 1370000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4420000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10360000000 build-real-ns/op 13950000000 build-user-ns/op 1470000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 400000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10440000000 build-real-ns/op 34250000000 build-user-ns/op 2810000000 build-sys-ns/op
+BenchmarkMinio 1 49480000000 build-real-ns/op 116140000000 build-user-ns/op 9100000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1530000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1820000000 build-real-ns/op 2060000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2930000000 build-real-ns/op 7440000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1050000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 480000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7420000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkUber_zap 1 3160000000 build-real-ns/op 4780000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 510000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_community 1 3230000000 build-real-ns/op 8540000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1930000000 build-real-ns/op 840000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11590000000 build-real-ns/op 20810000000 build-user-ns/op 1830000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3340000000 build-real-ns/op 9400000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkK8s_api 1 13960000000 build-real-ns/op 63550000000 build-user-ns/op 4290000000 build-sys-ns/op
+BenchmarkGonum_path 1 3090000000 build-real-ns/op 8380000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7070000000 build-real-ns/op 8200000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 600000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1160000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 670000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10290000000 build-real-ns/op 15980000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11600000000 build-real-ns/op 15270000000 build-user-ns/op 1570000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13930000000 build-real-ns/op 63500000000 build-user-ns/op 4019999999 build-sys-ns/op
+BenchmarkGonum_topo 1 2960000000 build-real-ns/op 8550000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1290000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 460000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 600000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3150000000 build-real-ns/op 7220000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1790000000 build-real-ns/op 840000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 380000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 670000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 540000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10560000000 build-real-ns/op 34820000000 build-user-ns/op 2730000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1590000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkGonum_path 1 3120000000 build-real-ns/op 8060000000 build-user-ns/op 850000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 2990000000 build-real-ns/op 7310000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13830000000 build-real-ns/op 63130000000 build-user-ns/op 4110000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6970000000 build-real-ns/op 8170000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10400000000 build-real-ns/op 13930000000 build-user-ns/op 1440000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9930000000 build-real-ns/op 13560000000 build-user-ns/op 1200000000 build-sys-ns/op
+BenchmarkGonum_community 1 3250000000 build-real-ns/op 8630000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 450000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11600000000 build-real-ns/op 15360000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 330000000 build-real-ns/op 450000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1150000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11600000000 build-real-ns/op 20790000000 build-user-ns/op 1990000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1240000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8510000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 400000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1430000000 build-real-ns/op 1900000000 build-user-ns/op 360000000 build-sys-ns/op
+BenchmarkK8s_api 1 13690000000 build-real-ns/op 63370000000 build-user-ns/op 4240000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2270000000 build-real-ns/op 4370000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkMinio 1 50330000000 build-real-ns/op 117240000000 build-user-ns/op 8770000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2950000000 build-real-ns/op 7510000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10240000000 build-real-ns/op 15940000000 build-user-ns/op 1450000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 560000000 build-real-ns/op 1110000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3370000000 build-real-ns/op 9490000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkUber_zap 1 2730000000 build-real-ns/op 4910000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkSpexs2 1 1070000000 build-real-ns/op 1260000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkK8s_api 1 13660000000 build-real-ns/op 63580000000 build-user-ns/op 4190000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3360000000 build-real-ns/op 7440000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10480000000 build-real-ns/op 13970000000 build-user-ns/op 1480000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11900000000 build-real-ns/op 15300000000 build-user-ns/op 1670000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 410000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11590000000 build-real-ns/op 20890000000 build-user-ns/op 1760000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 600000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 630000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkMinio 1 50000000000 build-real-ns/op 117010000000 build-user-ns/op 8770000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 10150000000 build-real-ns/op 13550000000 build-user-ns/op 1410000000 build-sys-ns/op
+BenchmarkGonum_path 1 2820000000 build-real-ns/op 8000000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8470000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2340000000 build-real-ns/op 4470000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3470000000 build-real-ns/op 9740000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7130000000 build-real-ns/op 8340000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 640000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1180000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 530000000 build-real-ns/op 1110000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10460000000 build-real-ns/op 34630000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14080000000 build-real-ns/op 63370000000 build-user-ns/op 4380000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1900000000 build-user-ns/op 380000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8500000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7380000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1810000000 build-real-ns/op 850000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10310000000 build-real-ns/op 15900000000 build-user-ns/op 1420000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 480000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkUber_zap 1 2990000000 build-real-ns/op 4830000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 360000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3300000000 build-real-ns/op 7500000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkMinio 1 50910000000 build-real-ns/op 116800000000 build-user-ns/op 9070000000 build-sys-ns/op
+BenchmarkGonum_community 1 3280000000 build-real-ns/op 8510000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 390000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1590000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1260000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1120000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3190000000 build-real-ns/op 7360000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11710000000 build-real-ns/op 15100000000 build-user-ns/op 1650000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1080000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkK8s_api 1 13640000000 build-real-ns/op 63980000000 build-user-ns/op 4320000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10420000000 build-real-ns/op 34320000000 build-user-ns/op 2880000000 build-sys-ns/op
+BenchmarkUber_zap 1 2940000000 build-real-ns/op 4790000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7140000000 build-real-ns/op 8270000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 380000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11610000000 build-real-ns/op 20840000000 build-user-ns/op 1930000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 640000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2670000000 build-real-ns/op 7620000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 460000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9440000000 build-real-ns/op 13540000000 build-user-ns/op 1280000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 650000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 410000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 9910000000 build-real-ns/op 13940000000 build-user-ns/op 1470000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3090000000 build-real-ns/op 7620000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1440000000 build-real-ns/op 1960000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_path 1 3030000000 build-real-ns/op 7910000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9590000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8480000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14140000000 build-real-ns/op 63280000000 build-user-ns/op 4100000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1960000000 build-real-ns/op 880000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2320000000 build-real-ns/op 4460000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkBindata 1 390000000 build-real-ns/op 600000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10610000000 build-real-ns/op 15760000000 build-user-ns/op 1600000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1140000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 560000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 620000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13810000000 build-real-ns/op 63080000000 build-user-ns/op 4190000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1270000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7420000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10390000000 build-real-ns/op 34810000000 build-user-ns/op 2870000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 600000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1910000000 build-real-ns/op 830000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkK8s_api 1 13790000000 build-real-ns/op 63970000000 build-user-ns/op 4150000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 510000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1890000000 build-user-ns/op 390000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3170000000 build-real-ns/op 8540000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9450000000 build-real-ns/op 13630000000 build-user-ns/op 1250000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2250000000 build-real-ns/op 4430000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3150000000 build-real-ns/op 7380000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 480000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11750000000 build-real-ns/op 15200000000 build-user-ns/op 1670000000 build-sys-ns/op
+BenchmarkMinio 1 49520000000 build-real-ns/op 116930000000 build-user-ns/op 8550000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1560000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9630000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkUber_zap 1 3010000000 build-real-ns/op 4780000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10630000000 build-real-ns/op 14090000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkGonum_community 1 3130000000 build-real-ns/op 8510000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkGonum_path 1 2820000000 build-real-ns/op 8310000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11670000000 build-real-ns/op 20730000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7530000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 410000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10480000000 build-real-ns/op 15840000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7170000000 build-real-ns/op 8330000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 440000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1180000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13840000000 build-real-ns/op 63080000000 build-user-ns/op 4110000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7060000000 build-real-ns/op 8240000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1080000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 630000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkK8s_api 1 13820000000 build-real-ns/op 64250000000 build-user-ns/op 4160000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10460000000 build-real-ns/op 13940000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkGonum_community 1 3070000000 build-real-ns/op 8540000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 300000000 build-real-ns/op 410000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 390000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3010000000 build-real-ns/op 7660000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3390000000 build-real-ns/op 9690000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkMinio 1 49450000000 build-real-ns/op 117390000000 build-user-ns/op 8460000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3160000000 build-real-ns/op 8460000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 580000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1770000000 build-real-ns/op 840000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1200000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11380000000 build-real-ns/op 15310000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkUber_zap 1 2950000000 build-real-ns/op 4850000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3140000000 build-real-ns/op 7200000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10330000000 build-real-ns/op 15840000000 build-user-ns/op 1440000000 build-sys-ns/op
+BenchmarkKanzi 1 580000000 build-real-ns/op 1580000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10000000000 build-real-ns/op 34210000000 build-user-ns/op 2780000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9830000000 build-real-ns/op 13570000000 build-user-ns/op 1250000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 400000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2950000000 build-real-ns/op 7420000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 440000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1390000000 build-real-ns/op 2020000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkSpexs2 1 1080000000 build-real-ns/op 1280000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 590000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 1980000000 build-real-ns/op 4400000000 build-user-ns/op 390000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 420000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8200000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11750000000 build-real-ns/op 20520000000 build-user-ns/op 2029999999 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 540000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10210000000 build-real-ns/op 34740000000 build-user-ns/op 2670000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 670000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_community 1 3040000000 build-real-ns/op 8510000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 9850000000 build-real-ns/op 15770000000 build-user-ns/op 1630000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 330000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 460000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 580000000 build-real-ns/op 1160000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2230000000 build-real-ns/op 4470000000 build-user-ns/op 410000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11540000000 build-real-ns/op 20790000000 build-user-ns/op 2009999999 build-sys-ns/op
+BenchmarkSpexs2 1 1100000000 build-real-ns/op 1280000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3150000000 build-real-ns/op 7320000000 build-user-ns/op 460000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7560000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11790000000 build-real-ns/op 15510000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 470000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1460000000 build-real-ns/op 820000000 build-user-ns/op 290000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7080000000 build-real-ns/op 8280000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1580000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1140000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3260000000 build-real-ns/op 7410000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkK8s_api 1 13700000000 build-real-ns/op 63710000000 build-user-ns/op 4350000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10450000000 build-real-ns/op 14230000000 build-user-ns/op 1430000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13950000000 build-real-ns/op 63220000000 build-user-ns/op 4190000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3140000000 build-real-ns/op 8700000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9520000000 build-real-ns/op 13490000000 build-user-ns/op 1270000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkUber_zap 1 3020000000 build-real-ns/op 4830000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkMinio 1 50190000000 build-real-ns/op 117200000000 build-user-ns/op 8720000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 2070000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_path 1 2780000000 build-real-ns/op 8160000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3090000000 build-real-ns/op 9620000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1800000000 build-real-ns/op 800000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1270000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkMinio 1 50610000000 build-real-ns/op 117900000000 build-user-ns/op 8570000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 390000000 build-real-ns/op 700000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_path 1 3020000000 build-real-ns/op 8340000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10320000000 build-real-ns/op 34330000000 build-user-ns/op 2890000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9410000000 build-real-ns/op 13420000000 build-user-ns/op 1300000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3140000000 build-real-ns/op 7140000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2000000000 build-real-ns/op 4370000000 build-user-ns/op 470000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 560000000 build-real-ns/op 1140000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1590000000 build-user-ns/op 240000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 560000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 580000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10660000000 build-real-ns/op 14240000000 build-user-ns/op 1330000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8470000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1380000000 build-real-ns/op 1960000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkUber_zap 1 2940000000 build-real-ns/op 4890000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8520000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkSpexs2 1 1020000000 build-real-ns/op 1240000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11830000000 build-real-ns/op 15450000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 490000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3370000000 build-real-ns/op 9590000000 build-user-ns/op 600000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 450000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13900000000 build-real-ns/op 62850000000 build-user-ns/op 4410000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 370000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 2940000000 build-real-ns/op 7420000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11440000000 build-real-ns/op 20790000000 build-user-ns/op 1910000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2920000000 build-real-ns/op 7480000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 360000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7170000000 build-real-ns/op 8430000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkK8s_api 1 13350000000 build-real-ns/op 63460000000 build-user-ns/op 4250000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 400000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10260000000 build-real-ns/op 15820000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10180000000 build-real-ns/op 34770000000 build-user-ns/op 2520000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1640000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3420000000 build-real-ns/op 9540000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11770000000 build-real-ns/op 15390000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1190000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkMinio 1 50100000000 build-real-ns/op 117430000000 build-user-ns/op 8540000000 build-sys-ns/op
+BenchmarkGonum_path 1 3140000000 build-real-ns/op 8109999999 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7130000000 build-real-ns/op 8310000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 360000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkUber_zap 1 2910000000 build-real-ns/op 4720000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2600000000 build-real-ns/op 7440000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3090000000 build-real-ns/op 8430000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkGonum_community 1 3130000000 build-real-ns/op 8340000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3150000000 build-real-ns/op 7280000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 450000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkK8s_api 1 13250000000 build-real-ns/op 63660000000 build-user-ns/op 3970000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 400000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10360000000 build-real-ns/op 14120000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkSpexs2 1 800000000 build-real-ns/op 1210000000 build-user-ns/op 280000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1780000000 build-real-ns/op 750000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9880000000 build-real-ns/op 13560000000 build-user-ns/op 1270000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13870000000 build-real-ns/op 63540000000 build-user-ns/op 3940000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 9990000000 build-real-ns/op 15850000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3270000000 build-real-ns/op 7570000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 370000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 640000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 580000000 build-real-ns/op 1130000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 640000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 370000000 build-real-ns/op 610000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11510000000 build-real-ns/op 20850000000 build-user-ns/op 1810000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2320000000 build-real-ns/op 4600000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1110000000 build-real-ns/op 2000000000 build-user-ns/op 260000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 630000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_community 1 3190000000 build-real-ns/op 8450000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3250000000 build-real-ns/op 7590000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10550000000 build-real-ns/op 14240000000 build-user-ns/op 1620000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 3080000000 build-real-ns/op 7670000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkBindata 1 410000000 build-real-ns/op 680000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10760000000 build-real-ns/op 35470000000 build-user-ns/op 2610000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1870000000 build-real-ns/op 730000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11840000000 build-real-ns/op 20770000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkGonum_path 1 2820000000 build-real-ns/op 8220000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13420000000 build-real-ns/op 63290000000 build-user-ns/op 3940000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3070000000 build-real-ns/op 8280000000 build-user-ns/op 830000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10390000000 build-real-ns/op 15800000000 build-user-ns/op 1580000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 510000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7020000000 build-real-ns/op 8340000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkK8s_api 1 13620000000 build-real-ns/op 63500000000 build-user-ns/op 4300000000 build-sys-ns/op
+BenchmarkMinio 1 49920000000 build-real-ns/op 117290000000 build-user-ns/op 9030000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9570000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkSpexs2 1 1060000000 build-real-ns/op 1200000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 420000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1640000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1970000000 build-user-ns/op 340000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9880000000 build-real-ns/op 13400000000 build-user-ns/op 1390000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11370000000 build-real-ns/op 15280000000 build-user-ns/op 1710000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 560000000 build-real-ns/op 1120000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2330000000 build-real-ns/op 4640000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 400000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkUber_zap 1 2980000000 build-real-ns/op 4770000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 520000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 630000000 build-real-ns/op 1210000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 670000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 620000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3290000000 build-real-ns/op 7660000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8470000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 440000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3180000000 build-real-ns/op 7620000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11190000000 build-real-ns/op 20680000000 build-user-ns/op 1880000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1600000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4400000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 560000000 build-real-ns/op 1090000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3370000000 build-real-ns/op 9420000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3140000000 build-real-ns/op 7280000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkK8s_api 1 13300000000 build-real-ns/op 63440000000 build-user-ns/op 4140000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10120000000 build-real-ns/op 34450000000 build-user-ns/op 2700000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6640000000 build-real-ns/op 8370000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1230000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 380000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11710000000 build-real-ns/op 15330000000 build-user-ns/op 1500000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 610000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkBindata 1 370000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13900000000 build-real-ns/op 63450000000 build-user-ns/op 4200000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 660000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3210000000 build-real-ns/op 8620000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10410000000 build-real-ns/op 14180000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9850000000 build-real-ns/op 13540000000 build-user-ns/op 1260000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8360000000 build-user-ns/op 620000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 350000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 590000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 450000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkUber_zap 1 3030000000 build-real-ns/op 4740000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1420000000 build-real-ns/op 1980000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkMinio 1 50030000000 build-real-ns/op 117160000000 build-user-ns/op 8610000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 460000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10590000000 build-real-ns/op 15790000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1800000000 build-real-ns/op 790000000 build-user-ns/op 330000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2920000000 build-real-ns/op 7430000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1210000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1370000000 build-real-ns/op 1940000000 build-user-ns/op 400000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 9900000000 build-real-ns/op 14290000000 build-user-ns/op 1140000000 build-sys-ns/op
+BenchmarkGonum_path 1 3070000000 build-real-ns/op 8189999999 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10120000000 build-real-ns/op 34640000000 build-user-ns/op 2850000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11610000000 build-real-ns/op 15110000000 build-user-ns/op 1650000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2870000000 build-real-ns/op 7340000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 390000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_topo 1 2780000000 build-real-ns/op 8420000000 build-user-ns/op 820000000 build-sys-ns/op
+BenchmarkK8s_api 1 13680000000 build-real-ns/op 63620000000 build-user-ns/op 4100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 2980000000 build-real-ns/op 7510000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2250000000 build-real-ns/op 4320000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 550000000 build-real-ns/op 1120000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 520000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 580000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1130000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 470000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1650000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1850000000 build-real-ns/op 900000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1260000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkUber_zap 1 3020000000 build-real-ns/op 4770000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13840000000 build-real-ns/op 63410000000 build-user-ns/op 4180000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 390000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9840000000 build-real-ns/op 13470000000 build-user-ns/op 1270000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 420000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3160000000 build-real-ns/op 7360000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkGonum_community 1 3180000000 build-real-ns/op 8500000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 400000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11590000000 build-real-ns/op 21130000000 build-user-ns/op 1710000000 build-sys-ns/op
+BenchmarkMinio 1 50040000000 build-real-ns/op 116930000000 build-user-ns/op 8690000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7150000000 build-real-ns/op 8350000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3480000000 build-real-ns/op 9670000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 650000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10360000000 build-real-ns/op 15780000000 build-user-ns/op 1540000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11270000000 build-real-ns/op 15150000000 build-user-ns/op 1620000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2860000000 build-real-ns/op 7380000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1650000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10330000000 build-real-ns/op 34500000000 build-user-ns/op 2700000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8480000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 390000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1070000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkGonum_topo 1 2810000000 build-real-ns/op 8520000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2260000000 build-real-ns/op 4370000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkBindata 1 370000000 build-real-ns/op 650000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 620000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14010000000 build-real-ns/op 63840000000 build-user-ns/op 4190000000 build-sys-ns/op
+BenchmarkK8s_api 1 13590000000 build-real-ns/op 63320000000 build-user-ns/op 4270000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1900000000 build-real-ns/op 840000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 570000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10260000000 build-real-ns/op 15690000000 build-user-ns/op 1580000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3410000000 build-real-ns/op 9440000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 410000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11600000000 build-real-ns/op 20640000000 build-user-ns/op 1940000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9780000000 build-real-ns/op 13600000000 build-user-ns/op 1210000000 build-sys-ns/op
+BenchmarkGonum_path 1 3130000000 build-real-ns/op 8240000000 build-user-ns/op 920000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3260000000 build-real-ns/op 7590000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1160000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 520000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3150000000 build-real-ns/op 7170000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkUber_zap 1 2460000000 build-real-ns/op 4890000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6730000000 build-real-ns/op 8320000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1410000000 build-real-ns/op 1980000000 build-user-ns/op 330000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 9940000000 build-real-ns/op 13970000000 build-user-ns/op 1460000000 build-sys-ns/op
+BenchmarkMinio 1 49470000000 build-real-ns/op 116820000000 build-user-ns/op 8890000000 build-sys-ns/op
+BenchmarkSpexs2 1 1090000000 build-real-ns/op 1270000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10490000000 build-real-ns/op 34640000000 build-user-ns/op 2630000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 480000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 340000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11610000000 build-real-ns/op 20630000000 build-user-ns/op 2100000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7530000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2300000000 build-real-ns/op 4620000000 build-user-ns/op 430000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3340000000 build-real-ns/op 9460000000 build-user-ns/op 610000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1810000000 build-real-ns/op 900000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9990000000 build-real-ns/op 13610000000 build-user-ns/op 1300000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7380000000 build-user-ns/op 470000000 build-sys-ns/op
+BenchmarkK8s_api 1 13700000000 build-real-ns/op 63590000000 build-user-ns/op 4200000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7090000000 build-real-ns/op 8330000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1220000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 370000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1590000000 build-user-ns/op 210000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 490000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkMinio 1 50630000000 build-real-ns/op 117370000000 build-user-ns/op 8560000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 690000000 build-user-ns/op 50000000 build-sys-ns/op
+BenchmarkGonum_community 1 3150000000 build-real-ns/op 8370000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1360000000 build-real-ns/op 1910000000 build-user-ns/op 400000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 530000000 build-real-ns/op 1080000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14320000000 build-real-ns/op 63370000000 build-user-ns/op 4140000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2910000000 build-real-ns/op 7340000000 build-user-ns/op 790000000 build-sys-ns/op
+BenchmarkGonum_path 1 3030000000 build-real-ns/op 8490000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkUber_zap 1 2990000000 build-real-ns/op 4840000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11780000000 build-real-ns/op 15270000000 build-user-ns/op 1720000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10430000000 build-real-ns/op 14080000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 420000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 580000000 build-user-ns/op 190000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1180000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3110000000 build-real-ns/op 8590000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10370000000 build-real-ns/op 15860000000 build-user-ns/op 1560000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 600000000 build-real-ns/op 1200000000 build-user-ns/op 170000000 build-sys-ns/op
+BenchmarkSpexs2 1 1030000000 build-real-ns/op 1320000000 build-user-ns/op 270000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 360000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_community 1 3100000000 build-real-ns/op 8440000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 500000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1430000000 build-real-ns/op 760000000 build-user-ns/op 300000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10290000000 build-real-ns/op 15920000000 build-user-ns/op 1330000000 build-sys-ns/op
+BenchmarkUber_zap 1 2970000000 build-real-ns/op 4820000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2890000000 build-real-ns/op 7530000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7170000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 630000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 560000000 build-real-ns/op 1110000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkMinio 1 49950000000 build-real-ns/op 117140000000 build-user-ns/op 8690000000 build-sys-ns/op
+BenchmarkK8s_api 1 13710000000 build-real-ns/op 63440000000 build-user-ns/op 4240000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2230000000 build-real-ns/op 4360000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 500000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1400000000 build-real-ns/op 1950000000 build-user-ns/op 310000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9740000000 build-real-ns/op 13580000000 build-user-ns/op 1310000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3220000000 build-real-ns/op 7460000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13780000000 build-real-ns/op 63480000000 build-user-ns/op 4120000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3050000000 build-real-ns/op 8470000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11730000000 build-real-ns/op 15420000000 build-user-ns/op 1550000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 550000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 370000000 build-real-ns/op 610000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7080000000 build-real-ns/op 8320000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11660000000 build-real-ns/op 21060000000 build-user-ns/op 1670000000 build-sys-ns/op
+BenchmarkGonum_path 1 3060000000 build-real-ns/op 8240000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1610000000 build-user-ns/op 220000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 9950000000 build-real-ns/op 34510000000 build-user-ns/op 2690000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 390000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3340000000 build-real-ns/op 9770000000 build-user-ns/op 520000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10310000000 build-real-ns/op 13960000000 build-user-ns/op 1510000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3070000000 build-real-ns/op 8340000000 build-user-ns/op 780000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10250000000 build-real-ns/op 13980000000 build-user-ns/op 1410000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1200000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkMinio 1 49450000000 build-real-ns/op 116770000000 build-user-ns/op 8770000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 400000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3430000000 build-real-ns/op 9630000000 build-user-ns/op 700000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11730000000 build-real-ns/op 20780000000 build-user-ns/op 1880000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 460000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 2960000000 build-real-ns/op 7470000000 build-user-ns/op 560000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13630000000 build-real-ns/op 63050000000 build-user-ns/op 4210000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 610000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7060000000 build-real-ns/op 8320000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1210000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_community 1 3140000000 build-real-ns/op 8600000000 build-user-ns/op 660000000 build-sys-ns/op
+BenchmarkK8s_api 1 13440000000 build-real-ns/op 63400000000 build-user-ns/op 4500000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3040000000 build-real-ns/op 7190000000 build-user-ns/op 510000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10380000000 build-real-ns/op 15800000000 build-user-ns/op 1550000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 600000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10200000000 build-real-ns/op 34960000000 build-user-ns/op 2460000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 570000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkUber_zap 1 2540000000 build-real-ns/op 4680000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2310000000 build-real-ns/op 4350000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9730000000 build-real-ns/op 13600000000 build-user-ns/op 1210000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 420000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkSpexs2 1 1040000000 build-real-ns/op 1220000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11690000000 build-real-ns/op 15130000000 build-user-ns/op 1590000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2940000000 build-real-ns/op 7540000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkGonum_path 1 3050000000 build-real-ns/op 8350000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkKanzi 1 550000000 build-real-ns/op 1510000000 build-user-ns/op 250000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 330000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1380000000 build-real-ns/op 1900000000 build-user-ns/op 370000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 2020000000 build-real-ns/op 780000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11460000000 build-real-ns/op 15150000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3390000000 build-real-ns/op 9670000000 build-user-ns/op 650000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10300000000 build-real-ns/op 15710000000 build-user-ns/op 1610000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1190000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3140000000 build-real-ns/op 7190000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 260000000 build-real-ns/op 360000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2960000000 build-real-ns/op 7520000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkGonum_path 1 2880000000 build-real-ns/op 8500000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 360000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3060000000 build-real-ns/op 8600000000 build-user-ns/op 760000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 490000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2240000000 build-real-ns/op 4360000000 build-user-ns/op 450000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1760000000 build-real-ns/op 840000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 610000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkUber_zap 1 2950000000 build-real-ns/op 4770000000 build-user-ns/op 720000000 build-sys-ns/op
+BenchmarkSpexs2 1 1110000000 build-real-ns/op 1250000000 build-user-ns/op 340000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1380000000 build-real-ns/op 2020000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7150000000 build-real-ns/op 8340000000 build-user-ns/op 590000000 build-sys-ns/op
+BenchmarkKanzi 1 570000000 build-real-ns/op 1650000000 build-user-ns/op 200000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11230000000 build-real-ns/op 20600000000 build-user-ns/op 1980000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 680000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1220000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13590000000 build-real-ns/op 63690000000 build-user-ns/op 4090000000 build-sys-ns/op
+BenchmarkMinio 1 51280000000 build-real-ns/op 117620000000 build-user-ns/op 8520000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 480000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9810000000 build-real-ns/op 13540000000 build-user-ns/op 1350000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3320000000 build-real-ns/op 7590000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 360000000 build-real-ns/op 560000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_api 1 13940000000 build-real-ns/op 63610000000 build-user-ns/op 4300000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10290000000 build-real-ns/op 34700000000 build-user-ns/op 2790000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 600000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10190000000 build-real-ns/op 14150000000 build-user-ns/op 1350000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8550000000 build-user-ns/op 730000000 build-sys-ns/op
+BenchmarkGonum_community 1 3130000000 build-real-ns/op 8470000000 build-user-ns/op 630000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1800000000 build-real-ns/op 770000000 build-user-ns/op 340000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 9670000000 build-real-ns/op 34370000000 build-user-ns/op 2670000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 370000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 280000000 build-real-ns/op 390000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7590000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11420000000 build-real-ns/op 20770000000 build-user-ns/op 1890000000 build-sys-ns/op
+BenchmarkUber_zap 1 2960000000 build-real-ns/op 4810000000 build-user-ns/op 710000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1350000000 build-real-ns/op 1920000000 build-user-ns/op 370000000 build-sys-ns/op
+BenchmarkGonum_path 1 3040000000 build-real-ns/op 8260000000 build-user-ns/op 740000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 360000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 620000000 build-real-ns/op 1240000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkMinio 1 49950000000 build-real-ns/op 116950000000 build-user-ns/op 9060000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10350000000 build-real-ns/op 15810000000 build-user-ns/op 1590000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 510000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3230000000 build-real-ns/op 7380000000 build-user-ns/op 480000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9800000000 build-real-ns/op 13410000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11690000000 build-real-ns/op 15220000000 build-user-ns/op 1620000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 490000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 420000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10390000000 build-real-ns/op 14060000000 build-user-ns/op 1400000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3120000000 build-real-ns/op 8280000000 build-user-ns/op 890000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7450000000 build-user-ns/op 670000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 650000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkSemver 1 360000000 build-real-ns/op 600000000 build-user-ns/op 150000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3350000000 build-real-ns/op 9650000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 6710000000 build-real-ns/op 8260000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkK8s_api 1 13490000000 build-real-ns/op 63860000000 build-user-ns/op 3980000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 610000000 build-user-ns/op 140000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13900000000 build-real-ns/op 63550000000 build-user-ns/op 4030000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 580000000 build-real-ns/op 1160000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1530000000 build-user-ns/op 230000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2230000000 build-real-ns/op 4310000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkSpexs2 1 1050000000 build-real-ns/op 1240000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkCespare_mph 1 280000000 build-real-ns/op 380000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3230000000 build-real-ns/op 9610000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7480000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3080000000 build-real-ns/op 8550000000 build-user-ns/op 770000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 320000000 build-real-ns/op 490000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 430000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11610000000 build-real-ns/op 20870000000 build-user-ns/op 2000000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 310000000 build-real-ns/op 500000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11770000000 build-real-ns/op 15450000000 build-user-ns/op 1640000000 build-sys-ns/op
+BenchmarkMinio 1 50990000000 build-real-ns/op 117180000000 build-user-ns/op 8750000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3170000000 build-real-ns/op 7300000000 build-user-ns/op 570000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10160000000 build-real-ns/op 34260000000 build-user-ns/op 2790000000 build-sys-ns/op
+BenchmarkGonum_community 1 3170000000 build-real-ns/op 8480000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 650000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7060000000 build-real-ns/op 8250000000 build-user-ns/op 540000000 build-sys-ns/op
+BenchmarkKanzi 1 560000000 build-real-ns/op 1630000000 build-user-ns/op 160000000 build-sys-ns/op
+BenchmarkK8s_api 1 13560000000 build-real-ns/op 63500000000 build-user-ns/op 4280000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 650000000 build-user-ns/op 110000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 13930000000 build-real-ns/op 63180000000 build-user-ns/op 4290000000 build-sys-ns/op
+BenchmarkSpexs2 1 1110000000 build-real-ns/op 1220000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 610000000 build-user-ns/op 70000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2280000000 build-real-ns/op 4410000000 build-user-ns/op 490000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10300000000 build-real-ns/op 14160000000 build-user-ns/op 1310000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1200000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkUber_zap 1 2920000000 build-real-ns/op 4930000000 build-user-ns/op 580000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9930000000 build-real-ns/op 13640000000 build-user-ns/op 1180000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2900000000 build-real-ns/op 7520000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1370000000 build-real-ns/op 1940000000 build-user-ns/op 350000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1850000000 build-real-ns/op 790000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1180000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkGonum_path 1 3050000000 build-real-ns/op 8270000000 build-user-ns/op 750000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10410000000 build-real-ns/op 15840000000 build-user-ns/op 1600000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 320000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkGtank_blake2s 1 320000000 build-real-ns/op 530000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkHugo_helpers 1 10490000000 build-real-ns/op 34890000000 build-user-ns/op 2760000000 build-sys-ns/op
+BenchmarkBindata 1 380000000 build-real-ns/op 620000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkCapnproto2 1 3180000000 build-real-ns/op 7320000000 build-user-ns/op 530000000 build-sys-ns/op
+BenchmarkGonum_topo 1 3070000000 build-real-ns/op 8300000000 build-user-ns/op 860000000 build-sys-ns/op
+BenchmarkEriclagergren_decimal 1 1100000000 build-real-ns/op 1950000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkBenhoyt_goawk 1 610000000 build-real-ns/op 1120000000 build-user-ns/op 180000000 build-sys-ns/op
+BenchmarkCespare_mph 1 270000000 build-real-ns/op 350000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkAjstarks_deck_generate 1 310000000 build-real-ns/op 490000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_api 1 13770000000 build-real-ns/op 64280000000 build-user-ns/op 4110000000 build-sys-ns/op
+BenchmarkGonum_community 1 3160000000 build-real-ns/op 8330000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkDustin_broadcast 1 270000000 build-real-ns/op 420000000 build-user-ns/op 60000000 build-sys-ns/op
+BenchmarkEthereum_storage 1 11220000000 build-real-ns/op 15160000000 build-user-ns/op 1670000000 build-sys-ns/op
+BenchmarkGonum_mat 1 3370000000 build-real-ns/op 9540000000 build-user-ns/op 640000000 build-sys-ns/op
+BenchmarkDustin_humanize 1 380000000 build-real-ns/op 630000000 build-user-ns/op 120000000 build-sys-ns/op
+BenchmarkSemver 1 370000000 build-real-ns/op 690000000 build-user-ns/op 80000000 build-sys-ns/op
+BenchmarkCespare_xxhash 1 290000000 build-real-ns/op 410000000 build-user-ns/op 130000000 build-sys-ns/op
+BenchmarkGonum_lapack_native 1 3250000000 build-real-ns/op 7560000000 build-user-ns/op 550000000 build-sys-ns/op
+BenchmarkGonum_traverse 1 2880000000 build-real-ns/op 7410000000 build-user-ns/op 800000000 build-sys-ns/op
+BenchmarkEthereum_trie 1 9980000000 build-real-ns/op 13650000000 build-user-ns/op 1230000000 build-sys-ns/op
+BenchmarkMinio 1 49400000000 build-real-ns/op 117240000000 build-user-ns/op 8950000000 build-sys-ns/op
+BenchmarkCommonmark_markdown 1 7120000000 build-real-ns/op 8380000000 build-user-ns/op 500000000 build-sys-ns/op
+BenchmarkRcrowley_metrics 1 570000000 build-real-ns/op 1170000000 build-user-ns/op 100000000 build-sys-ns/op
+BenchmarkK8s_schedulercache 1 14320000000 build-real-ns/op 63430000000 build-user-ns/op 4000000000 build-sys-ns/op
+BenchmarkEthereum_bitutil 1 1830000000 build-real-ns/op 780000000 build-user-ns/op 360000000 build-sys-ns/op
+BenchmarkNelsam_gxui_interval 1 350000000 build-real-ns/op 570000000 build-user-ns/op 90000000 build-sys-ns/op
+BenchmarkEthereum_corevm 1 10320000000 build-real-ns/op 15990000000 build-user-ns/op 1520000000 build-sys-ns/op
+BenchmarkGonum_blas_native 1 2220000000 build-real-ns/op 4410000000 build-user-ns/op 440000000 build-sys-ns/op
+BenchmarkEthereum_core 1 11630000000 build-real-ns/op 20520000000 build-user-ns/op 2020000000 build-sys-ns/op
+BenchmarkSpexs2 1 810000000 build-real-ns/op 1220000000 build-user-ns/op 320000000 build-sys-ns/op
+BenchmarkGonum_path 1 3040000000 build-real-ns/op 8240000000 build-user-ns/op 690000000 build-sys-ns/op
+BenchmarkUber_zap 1 2830000000 build-real-ns/op 4710000000 build-user-ns/op 680000000 build-sys-ns/op
+BenchmarkEthereum_ethash 1 10350000000 build-real-ns/op 14180000000 build-user-ns/op 1380000000 build-sys-ns/op
+BenchmarkKanzi 1 580000000 build-real-ns/op 1620000000 build-user-ns/op 190000000 build-sys-ns/op
diff --git a/benchfmt/testdata/bent/20200101T213604.Tip.stdout b/benchfmt/testdata/bent/20200101T213604.Tip.stdout
new file mode 100644
index 0000000..82a60bf
--- /dev/null
+++ b/benchfmt/testdata/bent/20200101T213604.Tip.stdout
@@ -0,0 +1,4775 @@
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     268	   4330798 ns/op	17865787 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      88	  14465517 ns/op	12060612 B/op	   52672 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9607308	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1986160	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66116	     18037 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     914	   1373216 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4594503	       260 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51407546	        22.8 ns/op
+BenchmarkCompactToHex-12     	35667094	        33.7 ns/op
+BenchmarkKeybytesToHex-12    	33001430	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52605199	        22.9 ns/op
+BenchmarkGet-12              	 6896518	       174 ns/op
+BenchmarkGetDB-12            	 7440099	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1076 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1383 ns/op
+BenchmarkHash-12             	  353938	      3464 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24254938440 ns/op
+BenchmarkRun/10k/16-12      	       1	5229299551 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298449	      4019 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402719	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31056	     38512 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9899247 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61207774 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51256	     22191 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1488310	       802 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  433657	      2748 ns/op
+BenchmarkReaderContains-12    	  218202	      5508 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170857	      7009 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193252	      6488 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76910161 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21033949 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424532	      2926 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9398867 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2823	    424094 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11807587 ns/op	  88.81 MB/s	 1648627 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  857985	      1264 ns/op
+BenchmarkAddingFields/apex/log-12          	   41174	     28904 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   36006	     34056 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   36067	     33758 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215584574 ns/op	  31.84 MB/s	159354964 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  27783399 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53436	     22412 ns/op	 365.52 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2786286	       429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328117	      3654 ns/op
+BenchmarkPolygon-12    	  180745	      6661 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67878	     17575 ns/op
+BenchmarkRegexMatch-12       	  864067	      1386 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8058	    145601 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3728	    321807 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3043	    389081 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  268201	      4454 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9738	    119678 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199483	      6012 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3229557	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3134880	       383 ns/op
+BenchmarkParallelBrodcast-12      	 2144446	       562 ns/op
+BenchmarkMuxBrodcast-12           	 2076523	       551 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  755282	      1633 ns/op
+BenchmarkFtoaRegexTrailing-12    	  574920	      2169 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1326380 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.631 ns/op
+BenchmarkFPAQ-12    	      39	  30332726 ns/op
+BenchmarkLZ-12      	    1826	    665635 ns/op
+BenchmarkMTFT-12    	     258	   4671066 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     207	   6126999 ns/op
+BenchmarkRenderSpec-12                	     195	   5845084 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3773564 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     274	   4303812 ns/op	17864152 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      84	  14405385 ns/op	12061934 B/op	   52620 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9588832	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1995568	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66259	     18086 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     927	   1303896 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4560580	       262 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51029923	        22.8 ns/op
+BenchmarkCompactToHex-12     	35693919	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33001321	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	51408546	        22.9 ns/op
+BenchmarkGet-12              	 6851912	       176 ns/op
+BenchmarkGetDB-12            	 7424628	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1088 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1351 ns/op
+BenchmarkHash-12             	  363631	      3529 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24323865521 ns/op
+BenchmarkRun/10k/16-12      	       1	5151342940 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298352	      4020 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403095	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31058	     38682 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9835139 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61255697 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51267	     22477 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1509051	       798 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428517	      2744 ns/op
+BenchmarkReaderContains-12    	  217239	      5510 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168592	      6990 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195376	      6319 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77055332 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21101205 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  411871	      2955 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9416321 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2791	    421509 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11818440 ns/op	  88.73 MB/s	 1648650 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  914052	      1263 ns/op
+BenchmarkAddingFields/apex/log-12          	   40936	     29062 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35701	     33953 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35682	     33759 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217292265 ns/op	  31.59 MB/s	159353875 B/op	   17013 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28071205 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53510	     22764 ns/op	 359.86 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2820417	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328352	      3661 ns/op
+BenchmarkPolygon-12    	  179396	      6620 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68012	     17519 ns/op
+BenchmarkRegexMatch-12       	  854812	      1393 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8234	    145452 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3721	    321426 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3034	    392158 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269338	      4437 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9762	    120130 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199419	      6010 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3245570	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3058266	       382 ns/op
+BenchmarkParallelBrodcast-12      	 2145396	       555 ns/op
+BenchmarkMuxBrodcast-12           	 2124759	       546 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  756831	      1511 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580843	      2106 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1312907 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29525097 ns/op
+BenchmarkLZ-12      	    1834	    642822 ns/op
+BenchmarkMTFT-12    	     258	   4635960 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     198	   5648224 ns/op
+BenchmarkRenderSpec-12                	     211	   5661769 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3732762 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     276	   4331030 ns/op	17865190 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14470559 ns/op	12070524 B/op	   52642 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9597747	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1995990	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   65997	     18045 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     915	   1300185 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4639624	       257 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51088838	        22.8 ns/op
+BenchmarkCompactToHex-12     	35401201	        33.9 ns/op
+BenchmarkKeybytesToHex-12    	33187464	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52345402	        22.9 ns/op
+BenchmarkGet-12              	 6852187	       174 ns/op
+BenchmarkGetDB-12            	 7415995	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1099 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1383 ns/op
+BenchmarkHash-12             	  354856	      3446 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24426591360 ns/op
+BenchmarkRun/10k/16-12      	       1	5272093523 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298216	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401849	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30903	     39491 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9876328 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61297097 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52176	     22560 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1504436	       798 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  432730	      2748 ns/op
+BenchmarkReaderContains-12    	  217578	      5502 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170719	      7037 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195968	      6345 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77016962 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21033158 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  429388	      2918 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9418809 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2817	    424129 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11819950 ns/op	  88.71 MB/s	 1648629 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  871765	      1245 ns/op
+BenchmarkAddingFields/apex/log-12          	   41269	     28696 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35683	     33955 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35823	     33732 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216283661 ns/op	  31.74 MB/s	159353731 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  27536367 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53559	     22384 ns/op	 365.98 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2818184	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325052	      3654 ns/op
+BenchmarkPolygon-12    	  181328	      6620 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67684	     17572 ns/op
+BenchmarkRegexMatch-12       	  865324	      1385 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8166	    145525 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3733	    322053 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3044	    391287 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269055	      4439 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9852	    119424 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199534	      6012 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3216453	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3130846	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2148628	       554 ns/op
+BenchmarkMuxBrodcast-12           	 2085595	       574 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  763760	      1511 ns/op
+BenchmarkFtoaRegexTrailing-12    	  578685	      2091 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1315245 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29505375 ns/op
+BenchmarkLZ-12      	    1838	    642726 ns/op
+BenchmarkMTFT-12    	     258	   4633239 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5899680 ns/op
+BenchmarkRenderSpec-12                	     207	   5784472 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3738064 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     277	   4263325 ns/op	17864317 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14490479 ns/op	12062944 B/op	   52632 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9574272	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1996953	       603 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66235	     18045 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     910	   1305230 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4631269	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50327748	        22.9 ns/op
+BenchmarkCompactToHex-12     	35604729	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33341737	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52330184	        23.0 ns/op
+BenchmarkGet-12              	 6813565	       174 ns/op
+BenchmarkGetDB-12            	 7382250	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1089 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1389 ns/op
+BenchmarkHash-12             	  353840	      3445 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24561678358 ns/op
+BenchmarkRun/10k/16-12      	       1	5416185779 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298009	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402620	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31059	     38457 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9869602 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61327178 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52202	     22362 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1513458	       797 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  420504	      2747 ns/op
+BenchmarkReaderContains-12    	  219054	      5497 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170067	      6996 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195894	      6346 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76932471 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21050716 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425212	      2957 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9412811 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2822	    421624 ns/op
+BenchmarkGrowth_MultiSegment-12            	      98	  11847993 ns/op	  88.50 MB/s	 1648614 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  923020	      1263 ns/op
+BenchmarkAddingFields/apex/log-12          	   41607	     28803 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35655	     33774 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35628	     33614 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 218270899 ns/op	  31.45 MB/s	159352692 B/op	   17006 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27872421 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53552	     22397 ns/op	 365.77 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2813228	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  329814	      3702 ns/op
+BenchmarkPolygon-12    	  181512	      6605 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67802	     17593 ns/op
+BenchmarkRegexMatch-12       	  856564	      1403 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8127	    145604 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3702	    321597 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3098	    389773 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  270772	      4435 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9807	    119579 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199552	      6026 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3233906	       374 ns/op
+BenchmarkParallelDirectSend-12    	 3174402	       380 ns/op
+BenchmarkParallelBrodcast-12      	 2165334	       555 ns/op
+BenchmarkMuxBrodcast-12           	 2078426	       531 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  757647	      1515 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580416	      2077 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1317320 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29524067 ns/op
+BenchmarkLZ-12      	    1834	    642744 ns/op
+BenchmarkMTFT-12    	     258	   4632434 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5659451 ns/op
+BenchmarkRenderSpec-12                	     211	   5658756 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3821354 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     265	   4386379 ns/op	17865884 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      87	  14328676 ns/op	12076540 B/op	   52671 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9587254	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1996886	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66099	     18037 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     914	   1297981 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4576724	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50882449	        22.9 ns/op
+BenchmarkCompactToHex-12     	35602575	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33398209	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52602628	        22.9 ns/op
+BenchmarkGet-12              	 6870258	       175 ns/op
+BenchmarkGetDB-12            	 7216192	       163 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1096 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1384 ns/op
+BenchmarkHash-12             	  350211	      3526 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24522591572 ns/op
+BenchmarkRun/10k/16-12      	       1	5343581380 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297949	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402993	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30940	     38638 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9886752 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61372055 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51182	     22199 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1516248	       796 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  422090	      2748 ns/op
+BenchmarkReaderContains-12    	  218205	      5506 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168182	      7039 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196849	      6312 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77012844 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21062136 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  426322	      2939 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9440270 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2823	    425370 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11837017 ns/op	  88.59 MB/s	 1648611 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  917850	      1258 ns/op
+BenchmarkAddingFields/apex/log-12          	   41694	     28733 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35695	     34044 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35437	     33805 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217707914 ns/op	  31.53 MB/s	159354102 B/op	   17014 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28846418 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53601	     22409 ns/op	 365.57 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2795636	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327505	      3646 ns/op
+BenchmarkPolygon-12    	  181155	      6624 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67454	     17507 ns/op
+BenchmarkRegexMatch-12       	  856862	      1383 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8134	    145745 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3739	    321952 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3020	    390532 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  270129	      4437 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9810	    119436 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199093	      6012 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3223263	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3148552	       383 ns/op
+BenchmarkParallelBrodcast-12      	 2160061	       558 ns/op
+BenchmarkMuxBrodcast-12           	 2121632	       566 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  749268	      1505 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580929	      2089 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1312037 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29515884 ns/op
+BenchmarkLZ-12      	    1833	    642758 ns/op
+BenchmarkMTFT-12    	     258	   4631514 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5648564 ns/op
+BenchmarkRenderSpec-12                	     211	   5654025 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3725747 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     282	   4358996 ns/op	17865285 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      87	  14239278 ns/op	12016014 B/op	   52403 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9613141	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1993579	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66426	     18042 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     909	   1302720 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4584948	       259 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51254602	        22.9 ns/op
+BenchmarkCompactToHex-12     	35556832	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33264696	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52368406	        22.9 ns/op
+BenchmarkGet-12              	 6756812	       177 ns/op
+BenchmarkGetDB-12            	 7424164	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1090 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1380 ns/op
+BenchmarkHash-12             	  362500	      3533 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24224800684 ns/op
+BenchmarkRun/10k/16-12      	       1	5290088273 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298486	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401954	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31138	     38987 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9885370 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61349749 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52304	     22538 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1510356	       800 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  436424	      2743 ns/op
+BenchmarkReaderContains-12    	  216374	      5503 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168374	      7004 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  197281	      6289 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76799979 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21014580 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  431414	      2918 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9489494 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2838	    422650 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11808935 ns/op	  88.80 MB/s	 1648631 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  873414	      1251 ns/op
+BenchmarkAddingFields/apex/log-12          	   42229	     28926 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35528	     34078 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35865	     33544 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217585380 ns/op	  31.55 MB/s	159353313 B/op	   17012 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  28099532 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53157	     22612 ns/op	 362.28 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2717168	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  319767	      3644 ns/op
+BenchmarkPolygon-12    	  172633	      6613 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67863	     17523 ns/op
+BenchmarkRegexMatch-12       	  859258	      1388 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8251	    145722 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3734	    322176 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3080	    390544 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  268477	      4431 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9598	    119967 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199296	      6010 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3149917	       382 ns/op
+BenchmarkParallelDirectSend-12    	 3103953	       385 ns/op
+BenchmarkParallelBrodcast-12      	 2155755	       559 ns/op
+BenchmarkMuxBrodcast-12           	 2081008	       533 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  737997	      1513 ns/op
+BenchmarkFtoaRegexTrailing-12    	  577774	      2085 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1310153 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      39	  29556226 ns/op
+BenchmarkLZ-12      	    1833	    642955 ns/op
+BenchmarkMTFT-12    	     258	   4632960 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5649940 ns/op
+BenchmarkRenderSpec-12                	     211	   5699388 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3737153 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     277	   4319983 ns/op	17865880 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      79	  14364168 ns/op	12079061 B/op	   52634 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9583903	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1989375	       603 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66216	     18071 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     909	   1337380 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4146826	       293 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51313594	        23.8 ns/op
+BenchmarkCompactToHex-12     	27692935	        38.5 ns/op
+BenchmarkKeybytesToHex-12    	29845674	        39.5 ns/op
+BenchmarkHexToKeybytes-12    	50776792	        23.9 ns/op
+BenchmarkGet-12              	 5728720	       193 ns/op
+BenchmarkGetDB-12            	 7237651	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1089 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1386 ns/op
+BenchmarkHash-12             	  363799	      3583 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24338019431 ns/op
+BenchmarkRun/10k/16-12      	       1	5170946164 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297158	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402828	       859 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30843	     38614 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9877481 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61416989 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52138	     22221 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1519648	       793 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  432535	      2744 ns/op
+BenchmarkReaderContains-12    	  216885	      5511 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169632	      7039 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196255	      6334 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77135679 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21319574 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  421759	      2953 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9415415 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2829	    423861 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11827322 ns/op	  88.66 MB/s	 1648631 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  843808	      1255 ns/op
+BenchmarkAddingFields/apex/log-12          	   41568	     28868 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   36055	     33787 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35864	     33970 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217611175 ns/op	  31.55 MB/s	159352862 B/op	   17006 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  27903897 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53438	     22408 ns/op	 365.58 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2811541	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328882	      3703 ns/op
+BenchmarkPolygon-12    	  181291	      6607 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67665	     17654 ns/op
+BenchmarkRegexMatch-12       	  856815	      1384 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8086	    145483 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3729	    321553 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3086	    388824 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269097	      4442 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9777	    119708 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199425	      6008 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3200865	       378 ns/op
+BenchmarkParallelDirectSend-12    	 3133879	       383 ns/op
+BenchmarkParallelBrodcast-12      	 2158674	       556 ns/op
+BenchmarkMuxBrodcast-12           	 2088594	       550 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  751402	      1512 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579176	      2090 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     901	   1313299 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29493703 ns/op
+BenchmarkLZ-12      	    1830	    642724 ns/op
+BenchmarkMTFT-12    	     258	   4638879 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5647142 ns/op
+BenchmarkRenderSpec-12                	     211	   5662044 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3730530 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     284	   4345007 ns/op	17866586 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14737553 ns/op	12063073 B/op	   52632 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9583680	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1992432	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66325	     18058 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     921	   1298251 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4598508	       259 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50967596	        22.8 ns/op
+BenchmarkCompactToHex-12     	35578161	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	32882989	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52441634	        22.9 ns/op
+BenchmarkGet-12              	 6786098	       174 ns/op
+BenchmarkGetDB-12            	 7337440	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1079 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1387 ns/op
+BenchmarkHash-12             	  354952	      3449 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24496910596 ns/op
+BenchmarkRun/10k/16-12      	       1	5224469741 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298051	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402453	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30991	     39446 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9894553 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61430704 ns/op
+BenchmarkScaleVec10000Inc20-12                	   49803	     22455 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1502974	       801 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  432330	      2746 ns/op
+BenchmarkReaderContains-12    	  218458	      5511 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169257	      7054 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195226	      6384 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76841692 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      54	  21082457 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  419896	      2941 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9375803 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2808	    424219 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11808972 ns/op	  88.80 MB/s	 1648609 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  922824	      1253 ns/op
+BenchmarkAddingFields/apex/log-12          	   42092	     28935 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   36075	     33718 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35679	     33623 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215818996 ns/op	  31.81 MB/s	159352392 B/op	   17006 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28181138 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53616	     22390 ns/op	 365.88 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2799452	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325521	      3680 ns/op
+BenchmarkPolygon-12    	  181317	      6628 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68019	     17831 ns/op
+BenchmarkRegexMatch-12       	  863223	      1412 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    7983	    145449 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3722	    321038 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3050	    390409 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269708	      4433 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9765	    119564 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199533	      6013 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3142058	       380 ns/op
+BenchmarkParallelDirectSend-12    	 3141697	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2154825	       556 ns/op
+BenchmarkMuxBrodcast-12           	 2121562	       590 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  750645	      1506 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579301	      2087 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1316582 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29519922 ns/op
+BenchmarkLZ-12      	    1837	    642454 ns/op
+BenchmarkMTFT-12    	     256	   4632939 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5653000 ns/op
+BenchmarkRenderSpec-12                	     211	   5659796 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3729946 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     272	   4315904 ns/op	17865133 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      85	  14458204 ns/op	12066288 B/op	   52625 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9603198	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1994094	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66650	     18065 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     916	   1307926 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4656368	       260 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51611701	        23.1 ns/op
+BenchmarkCompactToHex-12     	35335903	        33.9 ns/op
+BenchmarkKeybytesToHex-12    	33279343	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	51939345	        22.9 ns/op
+BenchmarkGet-12              	 6806294	       175 ns/op
+BenchmarkGetDB-12            	 7405186	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1085 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1389 ns/op
+BenchmarkHash-12             	  351499	      3463 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24222618245 ns/op
+BenchmarkRun/10k/16-12      	       1	5191005026 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297248	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402995	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30966	     39390 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9862421 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61884926 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51553	     22146 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1513564	       797 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  429621	      2749 ns/op
+BenchmarkReaderContains-12    	  217342	      5510 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169147	      7025 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  198304	      6276 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76828480 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21012604 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  419995	      2954 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9448022 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2829	    424260 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11995441 ns/op	  87.42 MB/s	 1648609 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  939943	      1246 ns/op
+BenchmarkAddingFields/apex/log-12          	   41698	     28757 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35976	     34054 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35294	     33630 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217463242 ns/op	  31.57 MB/s	159353272 B/op	   17010 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28124533 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53635	     22407 ns/op	 365.59 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2795532	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327987	      3722 ns/op
+BenchmarkPolygon-12    	  181514	      6610 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67479	     17560 ns/op
+BenchmarkRegexMatch-12       	  859074	      1406 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8072	    145989 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3639	    322749 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3093	    396579 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  267457	      4444 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9786	    119590 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199440	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3206638	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3089943	       382 ns/op
+BenchmarkParallelBrodcast-12      	 2163265	       558 ns/op
+BenchmarkMuxBrodcast-12           	 2079448	       541 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  731707	      1509 ns/op
+BenchmarkFtoaRegexTrailing-12    	  575616	      2093 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     914	   1315844 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29509463 ns/op
+BenchmarkLZ-12      	    1837	    643065 ns/op
+BenchmarkMTFT-12    	     258	   4627869 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5657303 ns/op
+BenchmarkRenderSpec-12                	     211	   5654264 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3742928 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     277	   4307460 ns/op	17865366 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      84	  14463208 ns/op	12061832 B/op	   52613 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9598044	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1993740	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   65800	     18363 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     924	   1304714 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4589773	       259 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51266565	        22.9 ns/op
+BenchmarkCompactToHex-12     	35569741	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33019138	        36.3 ns/op
+BenchmarkHexToKeybytes-12    	51862014	        22.9 ns/op
+BenchmarkGet-12              	 6812486	       175 ns/op
+BenchmarkGetDB-12            	 7380782	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1103 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1390 ns/op
+BenchmarkHash-12             	  353204	      3466 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24166544914 ns/op
+BenchmarkRun/10k/16-12      	       1	5139986321 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298248	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403046	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30946	     38862 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9880102 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  63152065 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51242	     22185 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1507113	       804 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  425571	      2754 ns/op
+BenchmarkReaderContains-12    	  217479	      5521 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169672	      7085 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193734	      6423 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77059586 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21074944 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  416530	      2975 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9441153 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2839	    424754 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11823370 ns/op	  88.69 MB/s	 1648608 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  854516	      1258 ns/op
+BenchmarkAddingFields/apex/log-12          	   42208	     28877 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35443	     33819 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35839	     33709 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217720984 ns/op	  31.53 MB/s	159352204 B/op	   17008 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  27682115 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53434	     22380 ns/op	 366.04 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2812346	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  320694	      3643 ns/op
+BenchmarkPolygon-12    	  181831	      6619 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68164	     17478 ns/op
+BenchmarkRegexMatch-12       	  860066	      1398 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8038	    145570 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3733	    321905 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3087	    393486 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  267808	      4444 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9782	    119800 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199423	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3189157	       379 ns/op
+BenchmarkParallelDirectSend-12    	 3127724	       380 ns/op
+BenchmarkParallelBrodcast-12      	 2159719	       562 ns/op
+BenchmarkMuxBrodcast-12           	 2091644	       530 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  773310	      1513 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580485	      2075 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     906	   1317505 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29583406 ns/op
+BenchmarkLZ-12      	    1832	    642120 ns/op
+BenchmarkMTFT-12    	     258	   4639339 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     208	   5652700 ns/op
+BenchmarkRenderSpec-12                	     211	   5657735 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3743241 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     278	   4352612 ns/op	17865593 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      81	  14440876 ns/op	12072992 B/op	   52593 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9602299	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1964527	       605 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66412	     18102 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     921	   1310692 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4590530	       264 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51494299	        22.9 ns/op
+BenchmarkCompactToHex-12     	35211675	        33.9 ns/op
+BenchmarkKeybytesToHex-12    	33179131	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52475956	        22.9 ns/op
+BenchmarkGet-12              	 6838665	       175 ns/op
+BenchmarkGetDB-12            	 7143943	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1106 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1386 ns/op
+BenchmarkHash-12             	  354231	      3524 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24581834588 ns/op
+BenchmarkRun/10k/16-12      	       1	5208980811 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298086	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401808	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30600	     38533 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9844227 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61717767 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51366	     22174 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1504177	       796 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  438990	      2742 ns/op
+BenchmarkReaderContains-12    	  215104	      5503 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169510	      7007 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196065	      6324 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77011578 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21105569 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  422582	      2943 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9415767 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2844	    423016 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11818581 ns/op	  88.72 MB/s	 1648630 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  929052	      1256 ns/op
+BenchmarkAddingFields/apex/log-12          	   41713	     28687 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   36031	     33806 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35690	     33915 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217601011 ns/op	  31.55 MB/s	159352824 B/op	   17009 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      39	  28339814 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53347	     22436 ns/op	 365.13 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2812470	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  323664	      3649 ns/op
+BenchmarkPolygon-12    	  181210	      6615 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68156	     17511 ns/op
+BenchmarkRegexMatch-12       	  858168	      1408 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    7951	    145633 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3739	    321578 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3066	    389546 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  270988	      4447 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9788	    119595 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198937	      6019 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3209468	       380 ns/op
+BenchmarkParallelDirectSend-12    	 3089509	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2151300	       552 ns/op
+BenchmarkMuxBrodcast-12           	 2216908	       530 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  745045	      1505 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580110	      2079 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1319038 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29535770 ns/op
+BenchmarkLZ-12      	    1832	    642374 ns/op
+BenchmarkMTFT-12    	     258	   4660429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     208	   5651957 ns/op
+BenchmarkRenderSpec-12                	     211	   5659969 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3728996 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     273	   4373582 ns/op	17865180 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14437517 ns/op	12068450 B/op	   52617 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9595418	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1995583	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66250	     18058 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     928	   1298288 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4639646	       260 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51179394	        22.9 ns/op
+BenchmarkCompactToHex-12     	35366523	        34.5 ns/op
+BenchmarkKeybytesToHex-12    	32827249	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	51254594	        23.0 ns/op
+BenchmarkGet-12              	 6917524	       175 ns/op
+BenchmarkGetDB-12            	 7411465	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1082 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1351 ns/op
+BenchmarkHash-12             	  357280	      3530 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24397973695 ns/op
+BenchmarkRun/10k/16-12      	       1	5360454318 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  293397	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402687	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31214	     38564 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847531 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61328705 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51210	     22511 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1469962	       843 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  428600	      2781 ns/op
+BenchmarkReaderContains-12    	  218769	      5516 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169500	      7044 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  193599	      6385 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76795742 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21026838 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  422052	      2962 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9447696 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2832	    423383 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11828113 ns/op	  88.65 MB/s	 1648629 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  888285	      1265 ns/op
+BenchmarkAddingFields/apex/log-12          	   41892	     28911 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35937	     33774 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35767	     33869 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217577188 ns/op	  31.55 MB/s	159352507 B/op	   17008 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28219321 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53559	     22384 ns/op	 365.98 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2760103	       430 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328413	      3663 ns/op
+BenchmarkPolygon-12    	  181393	      6618 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67918	     17480 ns/op
+BenchmarkRegexMatch-12       	  847821	      1402 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8144	    145300 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3745	    322041 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3082	    388424 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  268363	      4437 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9795	    119222 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199004	      6013 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3188737	       377 ns/op
+BenchmarkParallelDirectSend-12    	 3132595	       387 ns/op
+BenchmarkParallelBrodcast-12      	 2146873	       554 ns/op
+BenchmarkMuxBrodcast-12           	 2143813	       535 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  761215	      1509 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579924	      2086 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1314839 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29520064 ns/op
+BenchmarkLZ-12      	    1832	    642790 ns/op
+BenchmarkMTFT-12    	     258	   4628619 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5638812 ns/op
+BenchmarkRenderSpec-12                	     211	   5672862 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3741029 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     276	   4297547 ns/op	17864063 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      88	  14316787 ns/op	12079102 B/op	   52705 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9609140	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1944456	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66003	     18057 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     909	   1310286 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4645969	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50968767	        22.9 ns/op
+BenchmarkCompactToHex-12     	35101330	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33510190	        36.9 ns/op
+BenchmarkHexToKeybytes-12    	51092743	        23.1 ns/op
+BenchmarkGet-12              	 6753901	       176 ns/op
+BenchmarkGetDB-12            	 7304368	       164 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1088 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1398 ns/op
+BenchmarkHash-12             	  352728	      3477 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24310613248 ns/op
+BenchmarkRun/10k/16-12      	       1	5228612980 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298152	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1401480	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31081	     38596 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9882446 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61572807 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52165	     22528 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1506694	       799 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  422494	      2739 ns/op
+BenchmarkReaderContains-12    	  217670	      5612 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  167499	      7120 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194359	      6378 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  76757406 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21116034 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427321	      2912 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9392631 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2824	    422886 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11835676 ns/op	  88.60 MB/s	 1648634 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  853122	      1257 ns/op
+BenchmarkAddingFields/apex/log-12          	   41272	     28650 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35661	     33814 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35530	     33595 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216704248 ns/op	  31.68 MB/s	159352091 B/op	   17007 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28096294 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53520	     22427 ns/op	 365.28 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2815557	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327903	      3652 ns/op
+BenchmarkPolygon-12    	  181248	      6607 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67947	     17606 ns/op
+BenchmarkRegexMatch-12       	  857512	      1396 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8198	    145825 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3714	    321336 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3051	    388969 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  270195	      4430 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9814	    119274 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199360	      6013 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3182457	       374 ns/op
+BenchmarkParallelDirectSend-12    	 3112153	       387 ns/op
+BenchmarkParallelBrodcast-12      	 2154984	       552 ns/op
+BenchmarkMuxBrodcast-12           	 2146522	       576 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  749394	      1509 ns/op
+BenchmarkFtoaRegexTrailing-12    	  572026	      2080 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1309371 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29914568 ns/op
+BenchmarkLZ-12      	    1837	    643011 ns/op
+BenchmarkMTFT-12    	     258	   4630592 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     212	   5644093 ns/op
+BenchmarkRenderSpec-12                	     211	   5659037 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3732102 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     267	   4364409 ns/op	17865880 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      87	  14540649 ns/op	12046568 B/op	   52548 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9600487	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1997440	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66456	     18051 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     922	   1302441 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4636546	       259 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51484815	        22.9 ns/op
+BenchmarkCompactToHex-12     	35821801	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	32871463	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	51122324	        22.9 ns/op
+BenchmarkGet-12              	 6770851	       178 ns/op
+BenchmarkGetDB-12            	 7246018	       163 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1072 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1388 ns/op
+BenchmarkHash-12             	  346884	      3518 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24326260026 ns/op
+BenchmarkRun/10k/16-12      	       1	5336664799 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297765	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402615	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31203	     38513 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9866281 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61310432 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52177	     22536 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1502218	       798 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  427978	      2748 ns/op
+BenchmarkReaderContains-12    	  216462	      5500 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168192	      7042 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195963	      6359 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76779832 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21051016 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  421707	      2962 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9410471 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2824	    423858 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11824686 ns/op	  88.68 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  924427	      1261 ns/op
+BenchmarkAddingFields/apex/log-12          	   41569	     28744 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   36007	     33814 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35630	     33660 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216956156 ns/op	  31.64 MB/s	159352315 B/op	   17005 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27606525 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53557	     22409 ns/op	 365.57 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2795488	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327885	      3644 ns/op
+BenchmarkPolygon-12    	  180890	      6613 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68214	     17492 ns/op
+BenchmarkRegexMatch-12       	  820432	      1399 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8132	    145914 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3724	    322043 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3054	    391977 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  267027	      4433 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9729	    119907 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198937	      6010 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3278804	       382 ns/op
+BenchmarkParallelDirectSend-12    	 3112099	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2133489	       553 ns/op
+BenchmarkMuxBrodcast-12           	 2064066	       558 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  745760	      1575 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579573	      2099 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     910	   1318023 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29558951 ns/op
+BenchmarkLZ-12      	    1831	    642189 ns/op
+BenchmarkMTFT-12    	     258	   4631519 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5649149 ns/op
+BenchmarkRenderSpec-12                	     211	   5667242 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3731508 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     272	   4393120 ns/op	17864984 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14350468 ns/op	12071079 B/op	   52648 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9580736	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1990586	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66289	     18097 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     922	   1305053 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4626649	       261 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51754244	        22.9 ns/op
+BenchmarkCompactToHex-12     	35571660	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33458899	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52315430	        23.0 ns/op
+BenchmarkGet-12              	 6913023	       180 ns/op
+BenchmarkGetDB-12            	 7412124	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1116 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1415 ns/op
+BenchmarkHash-12             	  360776	      3532 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24477900634 ns/op
+BenchmarkRun/10k/16-12      	       1	5306836639 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298309	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402413	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31174	     38522 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9849817 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61455206 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51296	     22547 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1506426	       803 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  432392	      2744 ns/op
+BenchmarkReaderContains-12    	  218529	      5492 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170744	      7038 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195638	      6318 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  77101771 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21086925 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  424392	      2934 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9482000 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2823	    423062 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11831814 ns/op	  88.63 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  924423	      1251 ns/op
+BenchmarkAddingFields/apex/log-12          	   41577	     28777 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35508	     34039 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35409	     33539 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216099411 ns/op	  31.77 MB/s	159353115 B/op	   17010 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28067489 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53587	     22396 ns/op	 365.78 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2783329	       429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326854	      3665 ns/op
+BenchmarkPolygon-12    	  181058	      6632 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68199	     17475 ns/op
+BenchmarkRegexMatch-12       	  855367	      1386 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8176	    145571 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3729	    321713 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3043	    391810 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  259113	      4428 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9830	    119421 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199449	      6013 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3236360	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3110060	       382 ns/op
+BenchmarkParallelBrodcast-12      	 2152927	       554 ns/op
+BenchmarkMuxBrodcast-12           	 2062651	       549 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  767960	      1505 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580206	      2090 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1329026 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29529017 ns/op
+BenchmarkLZ-12      	    1837	    642957 ns/op
+BenchmarkMTFT-12    	     252	   4664710 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5645884 ns/op
+BenchmarkRenderSpec-12                	     211	   5664439 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3736110 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     273	   4323839 ns/op	17865506 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      87	  14394857 ns/op	12065308 B/op	   52636 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9598383	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1996020	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66399	     18066 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     926	   1290245 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4521404	       262 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51379551	        22.9 ns/op
+BenchmarkCompactToHex-12     	35750734	        33.7 ns/op
+BenchmarkKeybytesToHex-12    	33277472	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52391553	        22.9 ns/op
+BenchmarkGet-12              	 6848198	       175 ns/op
+BenchmarkGetDB-12            	 7426755	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1108 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1412 ns/op
+BenchmarkHash-12             	  353419	      3465 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24462964969 ns/op
+BenchmarkRun/10k/16-12      	       1	5279727055 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  292936	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1400694	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31011	     38720 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9891035 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61274447 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51411	     22514 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1508488	       797 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  435302	      2746 ns/op
+BenchmarkReaderContains-12    	  218282	      5510 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169057	      7012 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  197955	      6341 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76985327 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21019219 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  416428	      3004 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9433693 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2824	    422147 ns/op
+BenchmarkGrowth_MultiSegment-12            	      98	  11874025 ns/op	  88.31 MB/s	 1648611 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  870228	      1249 ns/op
+BenchmarkAddingFields/apex/log-12          	   41251	     29013 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35266	     33595 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35365	     33616 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216383655 ns/op	  31.73 MB/s	159353436 B/op	   17012 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      40	  28313256 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53560	     22428 ns/op	 365.25 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2789311	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  330074	      3651 ns/op
+BenchmarkPolygon-12    	  180447	      6610 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68053	     17567 ns/op
+BenchmarkRegexMatch-12       	  863862	      1394 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8122	    145604 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3742	    321655 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3088	    389707 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269430	      4446 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9789	    119351 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199174	      6014 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3252289	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3135867	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2146786	       559 ns/op
+BenchmarkMuxBrodcast-12           	 2078493	       578 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  769074	      1508 ns/op
+BenchmarkFtoaRegexTrailing-12    	  582619	      2119 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1312096 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.622 ns/op
+BenchmarkFPAQ-12    	      39	  29549494 ns/op
+BenchmarkLZ-12      	    1836	    642290 ns/op
+BenchmarkMTFT-12    	     256	   4633572 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5642965 ns/op
+BenchmarkRenderSpec-12                	     211	   5655906 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3729408 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     273	   4268571 ns/op	17865450 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      80	  14494234 ns/op	12099508 B/op	   52735 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9598670	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1984094	       609 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66189	     18050 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     907	   1305625 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4652248	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51339096	        22.9 ns/op
+BenchmarkCompactToHex-12     	34933653	        33.7 ns/op
+BenchmarkKeybytesToHex-12    	32819566	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52485631	        22.9 ns/op
+BenchmarkGet-12              	 6839610	       177 ns/op
+BenchmarkGetDB-12            	 7412841	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1093 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1391 ns/op
+BenchmarkHash-12             	  350581	      3452 ns/op	     670 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24885739551 ns/op
+BenchmarkRun/10k/16-12      	       1	5585360824 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298352	      4019 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1395006	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   29983	     38723 ns/op
+BenchmarkDgeev/Circulant100-12        	     100	  10035212 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  67945419 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52161	     22483 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1395141	       856 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  326125	      3077 ns/op
+BenchmarkReaderContains-12    	  179397	      5927 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  149244	      7666 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194068	      6518 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  77419140 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  22173269 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  417909	      2991 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     123	   9601294 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2626	    427189 ns/op
+BenchmarkGrowth_MultiSegment-12            	      91	  12693458 ns/op	  82.61 MB/s	 1648610 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  808494	      1456 ns/op
+BenchmarkAddingFields/apex/log-12          	   41226	     29507 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   34974	     34231 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35912	     33528 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216756864 ns/op	  31.67 MB/s	159353313 B/op	   17012 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28092769 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53558	     22635 ns/op	 361.92 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2780364	       429 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  329724	      3652 ns/op
+BenchmarkPolygon-12    	  181554	      6617 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67905	     17488 ns/op
+BenchmarkRegexMatch-12       	  864624	      1410 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8108	    146053 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3735	    322733 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3063	    390001 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269024	      4434 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9775	    119500 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199484	      6012 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3206232	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3144192	       380 ns/op
+BenchmarkParallelBrodcast-12      	 2160315	       554 ns/op
+BenchmarkMuxBrodcast-12           	 2211307	       535 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  766878	      1510 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579446	      2079 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1315524 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.621 ns/op
+BenchmarkFPAQ-12    	      39	  29496546 ns/op
+BenchmarkLZ-12      	    1834	    642402 ns/op
+BenchmarkMTFT-12    	     256	   4634733 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5771867 ns/op
+BenchmarkRenderSpec-12                	     211	   5652294 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3732098 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     265	   4307423 ns/op	17865492 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14569216 ns/op	12105228 B/op	   52839 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9605319	       127 ns/op
+BenchmarkBaseTest2KB-12              	 1993210	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66411	     18046 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     919	   1291978 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4571581	       261 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51609433	        22.9 ns/op
+BenchmarkCompactToHex-12     	35368322	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33463837	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52463570	        22.9 ns/op
+BenchmarkGet-12              	 6784518	       174 ns/op
+BenchmarkGetDB-12            	 7412318	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1087 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1348 ns/op
+BenchmarkHash-12             	  365100	      3518 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24501579848 ns/op
+BenchmarkRun/10k/16-12      	       1	5326832193 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298170	      4023 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403217	       856 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30979	     38752 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847687 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61380165 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52208	     22121 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1499935	       802 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  434412	      2821 ns/op
+BenchmarkReaderContains-12    	  217293	      5504 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169412	      7056 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196015	      6398 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76965407 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21034431 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  426235	      2926 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9417342 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2828	    423198 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11815558 ns/op	  88.75 MB/s	 1648613 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  842611	      1254 ns/op
+BenchmarkAddingFields/apex/log-12          	   41496	     28983 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35571	     33972 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35470	     33603 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 217755320 ns/op	  31.53 MB/s	159353036 B/op	   17010 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28177384 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53598	     22405 ns/op	 365.64 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2810827	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  329269	      3662 ns/op
+BenchmarkPolygon-12    	  180386	      6621 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68137	     17593 ns/op
+BenchmarkRegexMatch-12       	  858662	      1402 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8052	    145563 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3744	    321267 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3022	    390249 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  264656	      4435 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9568	    119795 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199436	      6010 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3228748	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3084946	       383 ns/op
+BenchmarkParallelBrodcast-12      	 2158958	       556 ns/op
+BenchmarkMuxBrodcast-12           	 2080686	       577 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  747013	      1511 ns/op
+BenchmarkFtoaRegexTrailing-12    	  579741	      2081 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     909	   1312793 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29502600 ns/op
+BenchmarkLZ-12      	    1833	    642408 ns/op
+BenchmarkMTFT-12    	     258	   4639833 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5644649 ns/op
+BenchmarkRenderSpec-12                	     211	   5652596 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3778483 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     273	   4310299 ns/op	17864439 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14523427 ns/op	12099675 B/op	   52767 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9584930	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1995039	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66390	     18084 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     916	   1299831 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4586738	       262 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51186666	        22.8 ns/op
+BenchmarkCompactToHex-12     	35649354	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33272616	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52477125	        22.9 ns/op
+BenchmarkGet-12              	 6859317	       175 ns/op
+BenchmarkGetDB-12            	 7441315	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1085 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1381 ns/op
+BenchmarkHash-12             	  354549	      3448 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24377416643 ns/op
+BenchmarkRun/10k/16-12      	       1	5200014086 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298174	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402359	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31002	     38542 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847467 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61406468 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51286	     22470 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1514410	       798 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  427117	      2745 ns/op
+BenchmarkReaderContains-12    	  218938	      5498 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168069	      7020 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  197260	      6329 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76955665 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21094587 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427147	      2911 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9420817 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2836	    425323 ns/op
+BenchmarkGrowth_MultiSegment-12            	     100	  11824068 ns/op	  88.68 MB/s	 1648611 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  948481	      1264 ns/op
+BenchmarkAddingFields/apex/log-12          	   41378	     29018 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35490	     33851 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35298	     33659 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215249582 ns/op	  31.89 MB/s	159354390 B/op	   17013 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  28362611 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53546	     22383 ns/op	 365.99 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2794201	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326170	      3654 ns/op
+BenchmarkPolygon-12    	  181320	      6626 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67804	     17578 ns/op
+BenchmarkRegexMatch-12       	  848882	      1407 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8310	    145537 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3745	    321708 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3063	    390802 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  268941	      4446 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9805	    119686 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199501	      6008 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3172128	       375 ns/op
+BenchmarkParallelDirectSend-12    	 3123912	       379 ns/op
+BenchmarkParallelBrodcast-12      	 2162163	       555 ns/op
+BenchmarkMuxBrodcast-12           	 2084210	       566 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  753654	      1507 ns/op
+BenchmarkFtoaRegexTrailing-12    	  581491	      2088 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1316402 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      39	  29495467 ns/op
+BenchmarkLZ-12      	    1830	    642480 ns/op
+BenchmarkMTFT-12    	     256	   4631237 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5657134 ns/op
+BenchmarkRenderSpec-12                	     211	   5663813 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     322	   3728249 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     273	   4320075 ns/op	17865458 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      82	  14485794 ns/op	12076340 B/op	   52672 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9570844	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1982587	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66338	     18052 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     907	   1306639 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4588507	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50627532	        22.9 ns/op
+BenchmarkCompactToHex-12     	35617970	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	33506048	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52202394	        22.9 ns/op
+BenchmarkGet-12              	 6889333	       175 ns/op
+BenchmarkGetDB-12            	 7437452	       160 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1085 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1380 ns/op
+BenchmarkHash-12             	  359521	      3534 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24413951248 ns/op
+BenchmarkRun/10k/16-12      	       1	5211100362 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298214	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402906	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31112	     38810 ns/op
+BenchmarkDgeev/Circulant100-12        	     120	   9864328 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61295035 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52165	     22294 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1512438	       791 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  422055	      2755 ns/op
+BenchmarkReaderContains-12    	  217987	      5514 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169350	      7024 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194635	      6354 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76867338 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21075859 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425007	      2934 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9426965 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2830	    422477 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11836379 ns/op	  88.59 MB/s	 1648630 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  898974	      1252 ns/op
+BenchmarkAddingFields/apex/log-12          	   41532	     28974 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35956	     33924 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35277	     33738 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216491251 ns/op	  31.71 MB/s	159353283 B/op	   17011 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      43	  27897965 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53503	     22428 ns/op	 365.26 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2819048	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327452	      3656 ns/op
+BenchmarkPolygon-12    	  181341	      6612 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67911	     17538 ns/op
+BenchmarkRegexMatch-12       	  851826	      1409 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8086	    145932 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3694	    321867 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3034	    392399 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269240	      4435 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9738	    119697 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199538	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3232976	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3047562	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2139081	       554 ns/op
+BenchmarkMuxBrodcast-12           	 2101152	       583 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  771386	      1506 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580272	      2098 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1310693 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29623625 ns/op
+BenchmarkLZ-12      	    1834	    643471 ns/op
+BenchmarkMTFT-12    	     258	   4638263 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5644844 ns/op
+BenchmarkRenderSpec-12                	     212	   5649921 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3731349 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     274	   4297365 ns/op	17865181 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      84	  14364314 ns/op	12033173 B/op	   52459 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9606748	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1994676	       603 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66034	     18046 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     926	   1301321 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4652432	       259 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50203842	        22.9 ns/op
+BenchmarkCompactToHex-12     	35261887	        33.7 ns/op
+BenchmarkKeybytesToHex-12    	33093756	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	52295806	        22.9 ns/op
+BenchmarkGet-12              	 6867404	       175 ns/op
+BenchmarkGetDB-12            	 7442098	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1102 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1348 ns/op
+BenchmarkHash-12             	  361857	      3541 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24489513846 ns/op
+BenchmarkRun/10k/16-12      	       1	5253607812 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298011	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402836	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   30860	     38847 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9882958 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61341303 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51277	     22146 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1511001	       799 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  430245	      2746 ns/op
+BenchmarkReaderContains-12    	  218965	      5500 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  172252	      7017 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196374	      6341 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      15	  76847917 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21046245 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  419626	      2948 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9370217 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2830	    422265 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11851887 ns/op	  88.48 MB/s	 1648630 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  959142	      1251 ns/op
+BenchmarkAddingFields/apex/log-12          	   41122	     28869 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35648	     33745 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35394	     33869 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 215715402 ns/op	  31.82 MB/s	159353257 B/op	   17008 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27675421 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53629	     22389 ns/op	 365.90 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2817732	       428 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327817	      3646 ns/op
+BenchmarkPolygon-12    	  181071	      6628 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67788	     17560 ns/op
+BenchmarkRegexMatch-12       	  860253	      1422 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8122	    145725 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3718	    321821 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3054	    390944 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269277	      4435 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9811	    119579 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199278	      6009 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3227289	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3121958	       378 ns/op
+BenchmarkParallelBrodcast-12      	 2161982	       555 ns/op
+BenchmarkMuxBrodcast-12           	 2187178	       571 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  751162	      1508 ns/op
+BenchmarkFtoaRegexTrailing-12    	  580608	      2097 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     914	   1311622 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29540863 ns/op
+BenchmarkLZ-12      	    1836	    642473 ns/op
+BenchmarkMTFT-12    	     258	   4639685 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5649845 ns/op
+BenchmarkRenderSpec-12                	     211	   5652865 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3725358 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     278	   4385101 ns/op	17864358 B/op	      74 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      88	  14394315 ns/op	12037993 B/op	   52493 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9620172	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1994040	       603 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66050	     18101 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     925	   1294864 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4610827	       258 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51428822	        22.9 ns/op
+BenchmarkCompactToHex-12     	35079567	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	32973184	        36.7 ns/op
+BenchmarkHexToKeybytes-12    	52342484	        22.9 ns/op
+BenchmarkGet-12              	 6878167	       174 ns/op
+BenchmarkGetDB-12            	 7429014	       161 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1092 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1382 ns/op
+BenchmarkHash-12             	  355879	      3462 ns/op	     669 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24345510763 ns/op
+BenchmarkRun/10k/16-12      	       1	5322918186 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298063	      4018 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403140	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31008	     38602 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9847033 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61375078 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52249	     22463 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1509571	       800 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  425816	      2773 ns/op
+BenchmarkReaderContains-12    	  218950	      5515 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  170804	      7024 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  195862	      6315 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  76947913 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      56	  21054416 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  425466	      2928 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9420863 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2822	    424371 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11818604 ns/op	  88.72 MB/s	 1648649 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  890227	      1251 ns/op
+BenchmarkAddingFields/apex/log-12          	   41743	     28955 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35654	     34096 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35115	     34046 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 218057124 ns/op	  31.48 MB/s	159353608 B/op	   17013 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27770229 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53584	     22402 ns/op	 365.68 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2814372	       425 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  328393	      3643 ns/op
+BenchmarkPolygon-12    	  180331	      6648 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68256	     17811 ns/op
+BenchmarkRegexMatch-12       	  857247	      1385 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8119	    145354 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3729	    321753 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3061	    391581 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  271724	      4435 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9770	    119403 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  198988	      6012 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3250348	       372 ns/op
+BenchmarkParallelDirectSend-12    	 3070286	       384 ns/op
+BenchmarkParallelBrodcast-12      	 2151931	       557 ns/op
+BenchmarkMuxBrodcast-12           	 2174646	       550 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  735001	      1507 ns/op
+BenchmarkFtoaRegexTrailing-12    	  575517	      2080 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     912	   1316745 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      40	  29510246 ns/op
+BenchmarkLZ-12      	    1838	    642753 ns/op
+BenchmarkMTFT-12    	     258	   4642041 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5652492 ns/op
+BenchmarkRenderSpec-12                	     211	   5658278 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     321	   3726878 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     276	   4292175 ns/op	17865525 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  14391454 ns/op	12070488 B/op	   52650 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9593011	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1992206	       601 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66604	     18069 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     927	   1294457 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4559096	       263 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	51629773	        22.9 ns/op
+BenchmarkCompactToHex-12     	34831473	        33.8 ns/op
+BenchmarkKeybytesToHex-12    	32392977	        36.2 ns/op
+BenchmarkHexToKeybytes-12    	52151106	        23.2 ns/op
+BenchmarkGet-12              	 6847563	       174 ns/op
+BenchmarkGetDB-12            	 7375881	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1088 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1374 ns/op
+BenchmarkHash-12             	  365262	      3440 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24649805355 ns/op
+BenchmarkRun/10k/16-12      	       1	5336548568 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  297952	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1403056	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31249	     38388 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9907233 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61444031 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51524	     22198 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1515946	       792 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  435949	      2747 ns/op
+BenchmarkReaderContains-12    	  216685	      5508 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  168061	      6972 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  196347	      6325 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  77000114 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      55	  21400079 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  421322	      2943 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     127	   9364627 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2829	    424853 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11824122 ns/op	  88.68 MB/s	 1648609 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  918811	      1255 ns/op
+BenchmarkAddingFields/apex/log-12          	   41959	     28949 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35024	     34246 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35847	     33889 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216952340 ns/op	  31.64 MB/s	159354136 B/op	   17012 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      42	  27651440 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53517	     22427 ns/op	 365.27 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2812563	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  326709	      3660 ns/op
+BenchmarkPolygon-12    	  181040	      6619 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   68100	     17494 ns/op
+BenchmarkRegexMatch-12       	  859231	      1423 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8067	    145497 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3744	    321491 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3052	    389462 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269564	      4438 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9786	    119396 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199339	      6010 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3214149	       369 ns/op
+BenchmarkParallelDirectSend-12    	 3151622	       381 ns/op
+BenchmarkParallelBrodcast-12      	 2164986	       552 ns/op
+BenchmarkMuxBrodcast-12           	 2206089	       579 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  759890	      1506 ns/op
+BenchmarkFtoaRegexTrailing-12    	  582103	      2085 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1314965 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.623 ns/op
+BenchmarkFPAQ-12    	      39	  29729002 ns/op
+BenchmarkLZ-12      	    1837	    642801 ns/op
+BenchmarkMTFT-12    	     256	   4627919 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5664204 ns/op
+BenchmarkRenderSpec-12                	     211	   5659126 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     320	   3736011 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     278	   4257463 ns/op	17865209 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      85	  14617398 ns/op	12069352 B/op	   52621 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9591724	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1996369	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   66406	     18182 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     920	   1302087 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4539346	       262 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50601322	        22.9 ns/op
+BenchmarkCompactToHex-12     	35532812	        33.9 ns/op
+BenchmarkKeybytesToHex-12    	33441518	        36.1 ns/op
+BenchmarkHexToKeybytes-12    	51756134	        22.9 ns/op
+BenchmarkGet-12              	 6866515	       175 ns/op
+BenchmarkGetDB-12            	 7197412	       162 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1100 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1386 ns/op
+BenchmarkHash-12             	  366394	      3459 ns/op	     668 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24593502545 ns/op
+BenchmarkRun/10k/16-12      	       1	5284909114 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298440	      4016 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402771	       855 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31032	     38633 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9861050 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  61286834 ns/op
+BenchmarkScaleVec10000Inc20-12                	   52225	     22513 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1511918	       798 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  426477	      2753 ns/op
+BenchmarkReaderContains-12    	  217174	      5521 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  169461	      7221 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  194019	      6396 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      14	  78224819 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      54	  22472543 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  427504	      2978 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     126	   9548196 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2820	    425137 ns/op
+BenchmarkGrowth_MultiSegment-12            	      99	  11831959 ns/op	  88.62 MB/s	 1648629 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  784455	      1424 ns/op
+BenchmarkAddingFields/apex/log-12          	   41704	     28911 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35614	     33148 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   35916	     33218 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 216838767 ns/op	  31.66 MB/s	159353436 B/op	   17015 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      40	  29628563 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53569	     22410 ns/op	 365.54 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2815176	       427 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  327910	      3657 ns/op
+BenchmarkPolygon-12    	  181209	      6879 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   67914	     17846 ns/op
+BenchmarkRegexMatch-12       	  861314	      1388 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    8108	    145857 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3710	    329678 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    3074	    437037 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  268614	      4430 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9680	    137487 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199442	      6013 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3189189	       363 ns/op
+BenchmarkParallelDirectSend-12    	 3194937	       373 ns/op
+BenchmarkParallelBrodcast-12      	 2185342	       551 ns/op
+BenchmarkMuxBrodcast-12           	 2120355	       554 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  759513	      1691 ns/op
+BenchmarkFtoaRegexTrailing-12    	  578048	      2114 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     913	   1311872 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.632 ns/op
+BenchmarkFPAQ-12    	      39	  29547317 ns/op
+BenchmarkLZ-12      	    1828	    643913 ns/op
+BenchmarkMTFT-12    	     258	   4633198 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     190	   5945959 ns/op
+BenchmarkRenderSpec-12                	     199	   6032159 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     296	   4043730 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/minio/minio/cmd
+BenchmarkGetObject5MbFS-12    	     268	   4372688 ns/op	17864987 B/op	      75 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core
+BenchmarkInsertChain_ring1000_memdb-12    	      86	  15174221 ns/op	12033111 B/op	   52489 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/common/bitutil
+BenchmarkFastTest2KB-12              	 9594609	       125 ns/op
+BenchmarkBaseTest2KB-12              	 1995968	       602 ns/op
+BenchmarkEncoding4KBVerySparse-12    	   58548	     19307 ns/op	    9984 B/op	      15 allocs/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/consensus/ethash
+BenchmarkHashimotoLight-12    	     909	   1324657 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/core/vm
+BenchmarkOpDiv128-12    	 4206600	       287 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ethereum/go-ethereum/trie
+BenchmarkHexToCompact-12     	50832075	        25.4 ns/op
+BenchmarkCompactToHex-12     	35582545	        36.4 ns/op
+BenchmarkKeybytesToHex-12    	27306812	        38.9 ns/op
+BenchmarkHexToKeybytes-12    	51696964	        23.9 ns/op
+BenchmarkGet-12              	 6255348	       195 ns/op
+BenchmarkGetDB-12            	 6960118	       164 ns/op
+BenchmarkUpdateBE-12         	 1000000	      1154 ns/op
+BenchmarkUpdateLE-12         	 1000000	      1445 ns/op
+BenchmarkHash-12             	  337858	      3471 ns/op	     672 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/egonelbre/spexs2/_benchmark
+BenchmarkRun/10k/1-12       	       1	24637882111 ns/op
+BenchmarkRun/10k/16-12      	       1	5746891797 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/blas/gonum
+BenchmarkDnrm2MediumPosInc-12        	  298306	      4017 ns/op
+BenchmarkDasumMediumUnitaryInc-12    	 1402510	       859 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/lapack/gonum
+BenchmarkDgeev/Circulant10-12         	   31107	     38696 ns/op
+BenchmarkDgeev/Circulant100-12        	     121	   9855359 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/mat
+BenchmarkMulWorkspaceDense1000Hundredth-12    	     100	  66503182 ns/op
+BenchmarkScaleVec10000Inc20-12                	   51268	     22575 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/Masterminds/semver/v3
+BenchmarkValidateVersionTildeFail-12    	 1436400	       877 ns/op	     248 B/op	       9 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gohugoio/hugo/helpers
+BenchmarkStripHTML-12         	  413118	      3126 ns/op
+BenchmarkReaderContains-12    	  216226	      6059 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: k8s.io/kubernetes/pkg/api/testing
+BenchmarkEncodeCodecFromInternalProtobuf-12    	  144106	      7819 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/topo
+BenchmarkTarjanSCCGnp_10_tenth-12     	  186446	      6380 ns/op
+BenchmarkTarjanSCCGnp_1000_half-12    	      13	  78415706 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/community
+BenchmarkLouvainDirectedMultiplex-12    	      45	  22541676 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gonum.org/v1/gonum/graph/traverse
+BenchmarkWalkAllBreadthFirstGnp_10_tenth-12      	  407281	      3048 ns/op
+BenchmarkWalkAllBreadthFirstGnp_1000_tenth-12    	     123	   9618363 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: zombiezen.com/go/capnproto2
+BenchmarkTextMovementBetweenSegments-12    	    2827	    424078 ns/op
+BenchmarkGrowth_MultiSegment-12            	      96	  11904145 ns/op	  88.09 MB/s	 1648633 B/op	      21 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: go.uber.org/zap/benchmarks
+BenchmarkAddingFields/Zap.Sugar-12         	  728046	      1434 ns/op
+BenchmarkAddingFields/apex/log-12          	   41701	     29179 ns/op
+BenchmarkAddingFields/inconshreveable/log15-12         	   35676	     33895 ns/op
+BenchmarkAddingFields/sirupsen/logrus-12               	   36238	     33564 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/kevinburke/go-bindata
+BenchmarkBindata-12         	       5	 226802439 ns/op	  30.27 MB/s	159354588 B/op	   17017 allocs/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/cespare/mph
+BenchmarkBuild-12    	      38	  29587667 ns/op
+PASS
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/gtank/blake2s
+BenchmarkHash8K-12    	   53562	     22783 ns/op	 359.57 MB/s
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/nelsam/gxui/interval
+BenchmarkGeneral-12    	 2713056	       426 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ajstarks/deck/generate
+BenchmarkArc-12        	  325160	      3685 ns/op
+BenchmarkPolygon-12    	  179420	      6720 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/benhoyt/goawk/interp
+BenchmarkRecursiveFunc-12    	   63393	     18764 ns/op
+BenchmarkRegexMatch-12       	  856888	      1396 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/ericlagergren/decimal/benchmarks
+BenchmarkPi/foo=ericlagergren_(Go)/prec=100-12         	    7977	    155219 ns/op
+BenchmarkPi/foo=ericlagergren_(GDA)/prec=100-12        	    3321	    373161 ns/op
+BenchmarkPi/foo=shopspring/prec=100-12                 	    2144	    468807 ns/op
+BenchmarkPi/foo=apmckinlay/prec=100-12                 	  269721	      4543 ns/op
+BenchmarkPi/foo=go-inf/prec=100-12                     	    9574	    121402 ns/op
+BenchmarkPi/foo=float64/prec=100-12                    	  199492	      6011 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-broadcast
+BenchmarkDirectSend-12            	 3147480	       373 ns/op
+BenchmarkParallelDirectSend-12    	 3183469	       375 ns/op
+BenchmarkParallelBrodcast-12      	 2177319	       550 ns/op
+BenchmarkMuxBrodcast-12           	 2079038	       582 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/dustin/go-humanize
+BenchmarkParseBigBytes-12        	  757772	      1603 ns/op
+BenchmarkFtoaRegexTrailing-12    	  577707	      2120 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/rcrowley/go-metrics
+BenchmarkCompute1000000-12    	     908	   1317497 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: github.com/flanglet/kanzi-go/benchmark
+BenchmarkBWTS-12    	1000000000	         0.624 ns/op
+BenchmarkFPAQ-12    	      39	  29868215 ns/op
+BenchmarkLZ-12      	    1831	    673209 ns/op
+BenchmarkMTFT-12    	     258	   4634756 ns/op
+PASS
+goos: linux
+goarch: amd64
+pkg: gitlab.com/golang-commonmark/markdown
+BenchmarkRenderSpecNoHTML-12          	     211	   5948908 ns/op
+BenchmarkRenderSpec-12                	     200	   6202862 ns/op
+BenchmarkRenderSpecBlackFriday2-12    	     290	   4054587 ns/op
+PASS
diff --git a/benchfmt/testdata/files/a b/benchfmt/testdata/files/a
new file mode 100644
index 0000000..092b8c4
--- /dev/null
+++ b/benchfmt/testdata/files/a
@@ -0,0 +1,2 @@
+BenchmarkX 1 1 ns/op
+BenchmarkY 1 1 ns/op
diff --git a/benchfmt/testdata/files/b b/benchfmt/testdata/files/b
new file mode 100644
index 0000000..f00ca58
--- /dev/null
+++ b/benchfmt/testdata/files/b
@@ -0,0 +1 @@
+BenchmarkZ 1 1 ns/op
diff --git a/benchfmt/writer.go b/benchfmt/writer.go
new file mode 100644
index 0000000..24b38b7
--- /dev/null
+++ b/benchfmt/writer.go
@@ -0,0 +1,129 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"bytes"
+	"fmt"
+	"io"
+)
+
+// A Writer writes the Go benchmark format.
+type Writer struct {
+	w   io.Writer
+	buf bytes.Buffer
+
+	first      bool
+	fileConfig map[string]Config
+	order      []string
+}
+
+// NewWriter returns a writer that writes Go benchmark results to w.
+func NewWriter(w io.Writer) *Writer {
+	return &Writer{w: w, first: true, fileConfig: make(map[string]Config)}
+}
+
+// Write writes Record rec to w. If rec is a *Result and rec's file
+// configuration differs from the current file configuration in w, it
+// first emits the appropriate file configuration lines. For
+// Result.Values that have a non-zero OrigUnit, this uses OrigValue and
+// OrigUnit in order to better reproduce the original input.
+func (w *Writer) Write(rec Record) error {
+	switch rec := rec.(type) {
+	case *Result:
+		return w.writeResult(rec)
+	case *SyntaxError:
+		// Ignore
+		return nil
+	}
+	return fmt.Errorf("unknown Record type %T", rec)
+}
+
+func (w *Writer) writeResult(res *Result) error {
+	// If any file config changed, write out the changes.
+	if len(w.fileConfig) != len(res.Config) {
+		w.writeFileConfig(res)
+	} else {
+		for _, cfg := range res.Config {
+			if have, ok := w.fileConfig[cfg.Key]; !ok || !bytes.Equal(cfg.Value, have.Value) || cfg.File != have.File {
+				w.writeFileConfig(res)
+				break
+			}
+		}
+	}
+
+	// Print the benchmark line.
+	fmt.Fprintf(&w.buf, "Benchmark%s %d", res.Name, res.Iters)
+	for _, val := range res.Values {
+		if val.OrigUnit == "" {
+			fmt.Fprintf(&w.buf, " %v %s", val.Value, val.Unit)
+		} else {
+			fmt.Fprintf(&w.buf, " %v %s", val.OrigValue, val.OrigUnit)
+		}
+	}
+	w.buf.WriteByte('\n')
+
+	w.first = false
+
+	// Flush the buffer out to the io.Writer. Write to the buffer
+	// can't fail, so we only have to check if this fails.
+	_, err := w.w.Write(w.buf.Bytes())
+	w.buf.Reset()
+	return err
+}
+
+func (w *Writer) writeFileConfig(res *Result) {
+	if !w.first {
+		// Configuration blocks after results get an extra blank.
+		w.buf.WriteByte('\n')
+		w.first = true
+	}
+
+	// Walk keys we know to find changes and deletions.
+	for i := 0; i < len(w.order); i++ {
+		key := w.order[i]
+		have := w.fileConfig[key]
+		idx, ok := res.ConfigIndex(key)
+		if !ok {
+			// Key was deleted.
+			fmt.Fprintf(&w.buf, "%s:\n", key)
+			delete(w.fileConfig, key)
+			copy(w.order[i:], w.order[i+1:])
+			w.order = w.order[:len(w.order)-1]
+			i--
+			continue
+		}
+		cfg := &res.Config[idx]
+		if bytes.Equal(have.Value, cfg.Value) && have.File == cfg.File {
+			// Value did not change.
+			continue
+		}
+		// Value changed.
+		if cfg.File {
+			// Omit internal config.
+			fmt.Fprintf(&w.buf, "%s: %s\n", key, cfg.Value)
+		}
+		have.Value = append(have.Value[:0], cfg.Value...)
+		have.File = cfg.File
+		w.fileConfig[key] = have
+	}
+
+	// Find new keys.
+	if len(w.fileConfig) != len(res.Config) {
+		for _, cfg := range res.Config {
+			if _, ok := w.fileConfig[cfg.Key]; ok {
+				continue
+			}
+			// New key.
+			if cfg.File {
+				fmt.Fprintf(&w.buf, "%s: %s\n", cfg.Key, cfg.Value)
+			}
+			w.fileConfig[cfg.Key] = Config{cfg.Key, append([]byte(nil), cfg.Value...), cfg.File}
+			w.order = append(w.order, cfg.Key)
+		}
+	}
+
+	w.buf.WriteByte('\n')
+}
diff --git a/benchfmt/writer_test.go b/benchfmt/writer_test.go
new file mode 100644
index 0000000..1798e5c
--- /dev/null
+++ b/benchfmt/writer_test.go
@@ -0,0 +1,48 @@
+// Copyright 2022 The Go Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style
+// license that can be found in the LICENSE file.
+
+package benchfmt
+
+import (
+	"bytes"
+	"strings"
+	"testing"
+)
+
+func TestWriter(t *testing.T) {
+	const input = `BenchmarkOne 1 1 ns/op
+
+key: val
+key1: val1
+
+BenchmarkOne 1 1 ns/op
+
+key:
+
+BenchmarkOne 1 1 ns/op
+
+key: a
+
+BenchmarkOne 1 1 ns/op
+
+key1: val2
+key: b
+
+BenchmarkOne 1 1 ns/op
+BenchmarkTwo 1 1 no-tidy-B/op
+`
+
+	out := new(strings.Builder)
+	w := NewWriter(out)
+	r := NewReader(bytes.NewReader([]byte(input)), "test")
+	for r.Scan() {
+		if err := w.Write(r.Result()); err != nil {
+			t.Fatal(err)
+		}
+	}
+
+	if out.String() != input {
+		t.Fatalf("want:\n%sgot:\n%s", input, out.String())
+	}
+}
diff --git a/storage/benchfmt/benchfmt.go b/storage/benchfmt/benchfmt.go
index e43e48d..33eb3fa 100644
--- a/storage/benchfmt/benchfmt.go
+++ b/storage/benchfmt/benchfmt.go
@@ -5,6 +5,13 @@
 // Package benchfmt provides readers and writers for the Go benchmark format.
 //
 // The format is documented at https://golang.org/design/14313-benchmark-format
+//
+// This package only parses file configuration lines, not benchmark
+// result lines. Parsing the result lines is left to the caller.
+//
+// Deprecated: See the golang.org/x/perf/benchfmt package, which
+// implements readers and writers for the full Go benchmark format.
+// It is also higher performance.
 package benchfmt
 
 import (