• Stars
    star
    116
  • Rank 297,515 (Top 6 %)
  • Language
    Go
  • License
    MIT License
  • Created over 5 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Go(lang) benchmarks - (measure the speed of golang)

Go Benchmarks

test DOI Go Report Card License: MIT

In programming in general, and in Golang in particular, many roads lead to Rome. From time to time I ask myself which of these ways is the fastest. In Golang there is a wonderful solution, with go test -bench you can measure the speed very easily and quickly. In order for you to benefit from it too, I will publish such benchmarks in this repository in the future.

ToC

Golang?

I published another repository where I show some Golang examples. If you're interested in new programming languages, you should definitely take a look at Golang:

Is it any good?

Yes

Benchmark Results

Golang Version: go version go1.21.0 darwin/arm64
Hardware Spec: Apple MacBook Pro 16-Inch M2 Max 2023 (?) (buy)

base64

// Package base64 benchmarks some base64 functions.
// On all tested systems it's faster to decode a
// base64 encoded string instead of a check via regex.
package base64

import (
	"encoding/base64"
	"regexp"
	"testing"
)

func base64decode(s string) bool {
	_, err := base64.StdEncoding.DecodeString(s)
	return err == nil
}

func base64regex(s string) bool {
	matched, _ := regexp.MatchString(`^([A-Za-z0-9+/]{4})*([A-Za-z0-9+/]{4}|[A-Za-z0-9+/]{3}=|[A-Za-z0-9+/]{2}==)$`, s)
	return matched
}

func BenchmarkBase64decode(b *testing.B) {
	isNotBase64 := `Invalid string`
	isBase64 := `VmFsaWQgc3RyaW5nCg==`

	for n := 0; n < b.N; n++ {
		base64decode(isNotBase64)
		base64decode(isBase64)
	}
}

func BenchmarkBase64regex(b *testing.B) {
	isNotBase64 := `Invalid string`
	isBase64 := `VmFsaWQgc3RyaW5nCg==`

	for n := 0; n < b.N; n++ {
		base64regex(isNotBase64)
		base64regex(isBase64)
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkBase64decode-12    	20990250	        56.92 ns/op	      32 B/op	       2 allocs/op
BenchmarkBase64regex-12     	  121032	      9388 ns/op	   21489 B/op	     198 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/base64	3.568s

between

// Package between compares the performance of checking
// if a number is between two other numbers via regex
// and by parsing the number as integers.
package between

import (
	"regexp"
	"simonwaldherr.de/go/golibs/as"
	"simonwaldherr.de/go/ranger"
	"testing"
)

func BenchmarkNumberRegEx(b *testing.B) {
	re := ranger.Compile(89, 1001)
	re = "^(" + re + ")$"
	b.ResetTimer()

	for n := 0; n < b.N; n++ {
		matched, err := regexp.MatchString(re, "404")
		if !matched || err != nil {
			b.Log("Error in Benchmark")
		}

		matched, err = regexp.MatchString(re, "2000")
		if matched || err != nil {
			b.Log("Error in Benchmark")
		}
	}
}

func BenchmarkFulltextRegEx(b *testing.B) {
	re := ranger.Compile(89, 1001)
	re = " (" + re + ") "
	b.ResetTimer()

	for n := 0; n < b.N; n++ {
		matched, err := regexp.MatchString(re, "lorem ipsum 404 dolor sit")
		if !matched || err != nil {
			b.Log("Error in Benchmark")
		}

		matched, err = regexp.MatchString(re, "lorem ipsum 2000 dolor sit")
		if matched || err != nil {
			b.Log("Error in Benchmark")
		}
	}
}

func BenchmarkNumberParse(b *testing.B) {
	for n := 0; n < b.N; n++ {
		i1 := as.Int("404")
		i2 := as.Int("2000")

		if i1 < 89 || i1 > 1001 {
			b.Log("Error in Benchmark")
		}

		if !(i2 < 89 || i2 > 1001) {
			b.Log("Error in Benchmark")
		}
	}
}

func BenchmarkFulltextParse(b *testing.B) {
	re := regexp.MustCompile("[0-9]+")
	b.ResetTimer()

	for n := 0; n < b.N; n++ {
		i1 := as.Int(re.FindString("lorem ipsum 404 dolor sit"))
		i2 := as.Int(re.FindString("lorem ipsum 2000 dolor sit"))

		if i1 < 89 || i1 > 1001 {
			b.Log("Error in Benchmark")
		}

		if !(i2 < 89 || i2 > 1001) {
			b.Log("Error in Benchmark")
		}
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkNumberRegEx-12      	  187243	      6352 ns/op	   16208 B/op	     142 allocs/op
BenchmarkFulltextRegEx-12    	  228417	      5259 ns/op	   11680 B/op	     104 allocs/op
BenchmarkNumberParse-12      	33819844	        35.70 ns/op	       0 B/op	       0 allocs/op
BenchmarkFulltextParse-12    	 2556390	       472.2 ns/op	      32 B/op	       2 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/between	6.524s

caseinsensitivecompare

package trim

import (
	"strings"
	"testing"
)

func BenchmarkEqualFold(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_ = strings.EqualFold("abc", "ABC")
		_ = strings.EqualFold("ABC", "ABC")
		_ = strings.EqualFold("1aBcD", "1AbCd")
	}
}

func BenchmarkToUpper(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_ = strings.ToUpper("abc") == strings.ToUpper("ABC")
		_ = strings.ToUpper("ABC") == strings.ToUpper("ABC")
		_ = strings.ToUpper("1aBcD") == strings.ToUpper("1AbCd")
	}
}

func BenchmarkToLower(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_ = strings.ToLower("abc") == strings.ToLower("ABC")
		_ = strings.ToLower("ABC") == strings.ToLower("ABC")
		_ = strings.ToLower("1aBcD") == strings.ToLower("1AbCd")
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkEqualFold-12    	84283622	        14.11 ns/op	       0 B/op	       0 allocs/op
BenchmarkToUpper-12      	11339126	       103.9 ns/op	      16 B/op	       3 allocs/op
BenchmarkToLower-12      	 8779510	       134.2 ns/op	      20 B/op	       5 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/caseinsensitivecompare	4.666s

concat

// Package concat benchmarks the performance of
// various string concatenation methods.
// Instead of just concatenating a string to another string
// it is also possible (and much faster) to use
// a bytes buffer.
package concat

import (
	"bytes"
	"strings"
	"testing"
)

func BenchmarkConcatString(b *testing.B) {
	var str string
	for n := 0; n < b.N; n++ {
		str += "x"
	}
}

func BenchmarkConcatBuffer(b *testing.B) {
	var buffer bytes.Buffer
	for n := 0; n < b.N; n++ {
		buffer.WriteString("x")

	}
}

func BenchmarkConcatBuilder(b *testing.B) {
	var builder strings.Builder
	for n := 0; n < b.N; n++ {
		builder.WriteString("x")
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkConcatString-12     	 1000000	     32419 ns/op	  503994 B/op	       1 allocs/op
BenchmarkConcatBuffer-12     	323607285	         3.862 ns/op	       3 B/op	       0 allocs/op
BenchmarkConcatBuilder-12    	542989292	         2.362 ns/op	       5 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/concat	35.752s

contains

// Package contains tests various ways of checking
// if a string is contained in another string.
package contains

import (
	"bytes"
	"regexp"
	"strings"
	"testing"
)

// strings.Contains
func contains() bool {
	return strings.Contains("Lorem Ipsum", "em Ip")
}

func containsNot() bool {
	return strings.Contains("Lorem Ipsum", "Dolor")
}

func TestContains(t *testing.T) {
	if contains() == false {
		t.Error("ERROR: contains")
	}
	if containsNot() == true {
		t.Error("ERROR: contains not")
	}
}

func BenchmarkContains(b *testing.B) {
	for n := 0; n < b.N; n++ {
		contains()
	}
}

func BenchmarkContainsNot(b *testing.B) {
	for n := 0; n < b.N; n++ {
		containsNot()
	}
}

// bytes.Contains
func containsBytes() bool {
	return bytes.Contains([]byte("Lorem Ipsum"), []byte("em Ip"))
}

func containsBytesNot() bool {
	return bytes.Contains([]byte("Lorem Ipsum"), []byte("Dolor"))
}

func TestContainsBytes(t *testing.T) {
	if containsBytes() == false {
		t.Error("ERROR: bytes contains")
	}
	if containsBytesNot() == true {
		t.Error("ERROR: bytes contains not")
	}
}

func BenchmarkContainsBytes(b *testing.B) {
	for n := 0; n < b.N; n++ {
		containsBytes()
	}
}

func BenchmarkContainsBytesNot(b *testing.B) {
	for n := 0; n < b.N; n++ {
		containsBytesNot()
	}
}

// regexp.MustCompile + regexp.MatchString
func compileMatch(re *regexp.Regexp) bool {
	matched := re.MatchString("Lorem Ipsum")
	return matched
}

func compileMatchNot(re *regexp.Regexp) bool {
	matched := re.MatchString("Lorem Ipsum")
	return matched
}

func TestCompileMatch(t *testing.T) {
	re1 := regexp.MustCompile("em Ip")
	re2 := regexp.MustCompile("Dolor")
	if compileMatch(re1) == false {
		t.Error("ERROR: compile match")
	}
	if compileMatchNot(re2) == true {
		t.Error("ERROR: compile match not")
	}
}

func BenchmarkCompileMatch(b *testing.B) {
	re := regexp.MustCompile("em Ip")
	for n := 0; n < b.N; n++ {
		compileMatch(re)
	}
}

func BenchmarkCompileMatchNot(b *testing.B) {
	re := regexp.MustCompile("Dolor")
	for n := 0; n < b.N; n++ {
		compileMatchNot(re)
	}
}

// regexp.MatchString
func match() bool {
	matched, _ := regexp.MatchString("em Ip", "Lorem Ipsum")
	return matched
}

func matchNot() bool {
	matched, _ := regexp.MatchString("Dolor", "Lorem Ipsum")
	return matched
}

func TestMatch(t *testing.T) {
	if match() == false {
		t.Error("ERROR: match")
	}
	if matchNot() == true {
		t.Error("ERROR: match not")
	}
}

func BenchmarkMatch(b *testing.B) {
	for n := 0; n < b.N; n++ {
		match()
	}
}

func BenchmarkMatchNot(b *testing.B) {
	for n := 0; n < b.N; n++ {
		matchNot()
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkContains-12            	197579730	         5.897 ns/op	       0 B/op	       0 allocs/op
BenchmarkContainsNot-12         	122387722	         9.850 ns/op	       0 B/op	       0 allocs/op
BenchmarkContainsBytes-12       	193783870	         6.212 ns/op	       0 B/op	       0 allocs/op
BenchmarkContainsBytesNot-12    	100000000	        10.13 ns/op	       0 B/op	       0 allocs/op
BenchmarkCompileMatch-12        	25523180	        47.57 ns/op	       0 B/op	       0 allocs/op
BenchmarkCompileMatchNot-12     	43725735	        28.64 ns/op	       0 B/op	       0 allocs/op
BenchmarkMatch-12               	 1725204	       699.5 ns/op	    1398 B/op	      17 allocs/op
BenchmarkMatchNot-12            	 1810030	       668.7 ns/op	    1397 B/op	      17 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/contains	13.356s

foreach

// Package foreach benchmarks ranging over slices and maps.
package foreach

import (
	"testing"
)

var amap map[int]string
var aslice []string

func init() {
	amap = map[int]string{
		0: "lorem",
		1: "ipsum",
		2: "dolor",
		3: "sit",
		4: "amet",
	}

	aslice = []string{
		"lorem",
		"ipsum",
		"dolor",
		"sit",
		"amet",
	}
}

func forMap() {
	for i := 0; i < len(amap); i++ {
		_ = amap[i]
	}
}

func rangeMap() {
	for _, v := range amap {
		_ = v
	}
}

func rangeSlice() {
	for _, v := range aslice {
		_ = v
	}
}

func rangeSliceKey() {
	for k := range aslice {
		_ = aslice[k]
	}
}

func BenchmarkForMap(b *testing.B) {
	for n := 0; n < b.N; n++ {
		forMap()
	}
}

func BenchmarkRangeMap(b *testing.B) {
	for n := 0; n < b.N; n++ {
		rangeMap()
	}
}

func BenchmarkRangeSlice(b *testing.B) {
	for n := 0; n < b.N; n++ {
		rangeSlice()
	}
}

func BenchmarkRangeSliceKey(b *testing.B) {
	for n := 0; n < b.N; n++ {
		rangeSliceKey()
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkForMap-12           	61075356	        19.39 ns/op	       0 B/op	       0 allocs/op
BenchmarkRangeMap-12         	26208502	        45.59 ns/op	       0 B/op	       0 allocs/op
BenchmarkRangeSlice-12       	459325088	         2.604 ns/op	       0 B/op	       0 allocs/op
BenchmarkRangeSliceKey-12    	465327675	         2.579 ns/op	       0 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/foreach	6.273s

hash

// Package hash benchmarks various hashing algorithms.
// Especially with hashing algorithms, faster is not always better.
// One should always decide on the basis of the respective requirements.
package hash

import (
	"crypto/md5"
	"crypto/sha1"
	"crypto/sha256"
	"crypto/sha512"
	"hash"
	"hash/adler32"
	"hash/crc32"
	"hash/crc64"
	"hash/fnv"
	"math/rand"
	"testing"

	"github.com/jzelinskie/whirlpool"
	"github.com/reusee/mmh3"
	"github.com/zeebo/blake3"
	"golang.org/x/crypto/bcrypt"
	"golang.org/x/crypto/blake2b"
	"golang.org/x/crypto/md4"
	"golang.org/x/crypto/ripemd160"
	"golang.org/x/crypto/sha3"
)

func benchmarkHashAlgo(b *testing.B, h hash.Hash) {
	data := make([]byte, 2048)
	rand.Read(data)

	b.ResetTimer()
	for n := 0; n < b.N; n++ {
		h.Reset()
		h.Write(data)
		_ = h.Sum(nil)
	}
}

func benchmarkBCryptHashAlgo(b *testing.B, cost int) {
	data := make([]byte, 2048)
	rand.Read(data)

	b.ResetTimer()
	for n := 0; n < b.N; n++ {
		bcrypt.GenerateFromPassword(data, cost)
	}
}

func BenchmarkAdler32(b *testing.B) {
	benchmarkHashAlgo(b, adler32.New())
}

func BenchmarkBCryptCost4(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 4)
}

func BenchmarkBCryptCost10(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 10)
}

func BenchmarkBCryptCost16(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 16)
}

/*
func BenchmarkBCryptCost22(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 22)
}

func BenchmarkBCryptCost28(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 28)
}

func BenchmarkBCryptCost31(b *testing.B) {
	benchmarkBCryptHashAlgo(b, 31)
}
*/

func BenchmarkBlake2b256(b *testing.B) {
	h, err := blake2b.New256(nil)
	if err != nil {
		b.Fatal(err)
	}
	benchmarkHashAlgo(b, h)
}

func BenchmarkBlake2b512(b *testing.B) {
	h, err := blake2b.New512(nil)
	if err != nil {
		b.Fatal(err)
	}
	benchmarkHashAlgo(b, h)
}

func BenchmarkBlake3256(b *testing.B) {
	benchmarkHashAlgo(b, blake3.New())
}

func BenchmarkMMH3(b *testing.B) {
	benchmarkHashAlgo(b, mmh3.New128())
}

func BenchmarkCRC32(b *testing.B) {
	benchmarkHashAlgo(b, crc32.NewIEEE())
}

func BenchmarkCRC64ISO(b *testing.B) {
	benchmarkHashAlgo(b, crc64.New(crc64.MakeTable(crc64.ISO)))
}

func BenchmarkCRC64ECMA(b *testing.B) {
	benchmarkHashAlgo(b, crc64.New(crc64.MakeTable(crc64.ECMA)))
}

func BenchmarkFnv32(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New32())
}

func BenchmarkFnv32a(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New32a())
}

func BenchmarkFnv64(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New64())
}

func BenchmarkFnv64a(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New64a())
}

func BenchmarkFnv128(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New128())
}

func BenchmarkFnv128a(b *testing.B) {
	benchmarkHashAlgo(b, fnv.New128a())
}

func BenchmarkMD4(b *testing.B) {
	benchmarkHashAlgo(b, md4.New())
}

func BenchmarkMD5(b *testing.B) {
	benchmarkHashAlgo(b, md5.New())
}

func BenchmarkSHA1(b *testing.B) {
	benchmarkHashAlgo(b, sha1.New())
}

func BenchmarkSHA224(b *testing.B) {
	benchmarkHashAlgo(b, sha256.New224())
}

func BenchmarkSHA256(b *testing.B) {
	benchmarkHashAlgo(b, sha256.New())
}

func BenchmarkSHA384(b *testing.B) {
	benchmarkHashAlgo(b, sha512.New384())
}

func BenchmarkSHA512(b *testing.B) {
	benchmarkHashAlgo(b, sha512.New())
}

func BenchmarkSHA3256(b *testing.B) {
	benchmarkHashAlgo(b, sha3.New256())
}

func BenchmarkSHA3512(b *testing.B) {
	benchmarkHashAlgo(b, sha3.New512())
}

func BenchmarkRIPEMD160(b *testing.B) {
	benchmarkHashAlgo(b, ripemd160.New())
}

func BenchmarkWhirlpool(b *testing.B) {
	benchmarkHashAlgo(b, whirlpool.New())
}

func BenchmarkSHA256Parallel(b *testing.B) {
	b.RunParallel(func(pb *testing.PB) {
		data := make([]byte, 2048)
		rand.Read(data)
		for pb.Next() {
			h := sha256.New()
			h.Write(data)
			h.Sum(nil)
		}
	})
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkAdler32-12           	 1809727	       644.4 ns/op	       8 B/op	       1 allocs/op
BenchmarkBCryptCost4-12       	613588296	         1.952 ns/op	       0 B/op	       0 allocs/op
BenchmarkBCryptCost10-12      	616831137	         1.942 ns/op	       0 B/op	       0 allocs/op
BenchmarkBCryptCost16-12      	620413142	         1.934 ns/op	       0 B/op	       0 allocs/op
BenchmarkBlake2b256-12        	  487670	      2511 ns/op	      32 B/op	       1 allocs/op
BenchmarkBlake2b512-12        	  481086	      2504 ns/op	      64 B/op	       1 allocs/op
BenchmarkBlake3256-12         	  422916	      2863 ns/op	      64 B/op	       2 allocs/op
BenchmarkMMH3-12              	 3761816	       329.3 ns/op	      16 B/op	       1 allocs/op
BenchmarkCRC32-12             	 4799644	       248.3 ns/op	       8 B/op	       1 allocs/op
BenchmarkCRC64ISO-12          	  929053	      1278 ns/op	       8 B/op	       1 allocs/op
BenchmarkCRC64ECMA-12         	  939684	      1288 ns/op	       8 B/op	       1 allocs/op
BenchmarkFnv32-12             	  456355	      2470 ns/op	       8 B/op	       1 allocs/op
BenchmarkFnv32a-12            	  496934	      2501 ns/op	       8 B/op	       1 allocs/op
BenchmarkFnv64-12             	  490647	      2458 ns/op	       8 B/op	       1 allocs/op
BenchmarkFnv64a-12            	  499832	      2510 ns/op	       8 B/op	       1 allocs/op
BenchmarkFnv128-12            	  297658	      4050 ns/op	      16 B/op	       1 allocs/op
BenchmarkFnv128a-12           	  393363	      2604 ns/op	      16 B/op	       1 allocs/op
BenchmarkMD4-12               	  399145	      3054 ns/op	      24 B/op	       2 allocs/op
BenchmarkMD5-12               	  386244	      3108 ns/op	      16 B/op	       1 allocs/op
BenchmarkSHA1-12              	 1373672	       883.4 ns/op	      24 B/op	       1 allocs/op
BenchmarkSHA224-12            	 1441162	       827.3 ns/op	      32 B/op	       1 allocs/op
BenchmarkSHA256-12            	 1452650	       840.9 ns/op	      32 B/op	       1 allocs/op
BenchmarkSHA384-12            	  809756	      1538 ns/op	      48 B/op	       1 allocs/op
BenchmarkSHA512-12            	  796374	      1535 ns/op	      64 B/op	       1 allocs/op
BenchmarkSHA3256-12           	  222524	      5478 ns/op	     512 B/op	       3 allocs/op
BenchmarkSHA3512-12           	  124821	      9569 ns/op	     576 B/op	       3 allocs/op
BenchmarkRIPEMD160-12         	  193680	      6171 ns/op	      24 B/op	       1 allocs/op
BenchmarkWhirlpool-12         	   40178	     27046 ns/op	      64 B/op	       1 allocs/op
BenchmarkSHA256Parallel-12    	12932700	        93.76 ns/op	      32 B/op	       1 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/hash	40.240s

index

// Package index benchmarks access on maps with various data types as keys.
package index

import (
	"math/rand"
	"strconv"
	"testing"
)

var NumItems int = 1000000

var ms map[string]string
var ks []string

var mi map[int]string
var ki []int

func initMapStringIndex() {
	ms = make(map[string]string)
	ks = make([]string, 0)

	for i := 0; i < NumItems; i++ {
		key := strconv.Itoa(rand.Intn(NumItems))
		ms[key] = "value" + strconv.Itoa(i)
		ks = append(ks, key)
	}
}

func initMapIntIndex() {
	mi = make(map[int]string)
	ki = make([]int, 0)

	for i := 0; i < NumItems; i++ {
		key := rand.Intn(NumItems)
		mi[key] = "value" + strconv.Itoa(i)
		ki = append(ki, key)
	}
}

func init() {
	initMapStringIndex()
	initMapIntIndex()
}

func BenchmarkMapStringKeys(b *testing.B) {
	i := 0

	for n := 0; n < b.N; n++ {
		if _, ok := ms[ks[i]]; ok {
		}

		i++
		if i >= NumItems {
			i = 0
		}
	}
}

func BenchmarkMapIntKeys(b *testing.B) {
	i := 0

	for n := 0; n < b.N; n++ {
		if _, ok := mi[ki[i]]; ok {
		}

		i++
		if i >= NumItems {
			i = 0
		}
	}
}

func BenchmarkMapStringIndex(b *testing.B) {
	i := 0

	for n := 0; n < b.N; n++ {
		_ = ms[ks[i]]

		i++
		if i >= NumItems {
			i = 0
		}
	}
}

func BenchmarkMapIntIndex(b *testing.B) {
	i := 0

	for n := 0; n < b.N; n++ {
		_ = mi[ki[i]]

		i++
		if i >= NumItems {
			i = 0
		}
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkMapStringKeys-12     	23290360	        49.73 ns/op	       0 B/op	       0 allocs/op
BenchmarkMapIntKeys-12        	41684335	        27.11 ns/op	       0 B/op	       0 allocs/op
BenchmarkMapStringIndex-12    	22103534	        49.19 ns/op	       0 B/op	       0 allocs/op
BenchmarkMapIntIndex-12       	40675495	        27.14 ns/op	       0 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/index	5.524s

json

package json

import (
	"encoding/json"
	"math"
	"math/big"
	"testing"
	"time"
)

type Data struct {
	String   string
	Time     time.Time
	Int      int
	Int8     int8
	Int16    int16
	Int32    int32
	Int64    int64
	Boolean  bool
	Float32  float32
	Float64  float64
	BigInt   big.Int
	BigFloat big.Float
}

func BenchmarkJsonMarshal(b *testing.B) {
	for n := 0; n < b.N; n++ {
		var d = Data{
			String:   "",
			Time:     time.Now(),
			Int:      math.MaxInt32,
			Int8:     math.MaxInt8,
			Int16:    math.MaxInt16,
			Int32:    math.MaxInt32,
			Int64:    math.MaxInt64,
			Boolean:  false,
			Float32:  math.MaxFloat32,
			Float64:  math.MaxFloat64,
			BigInt:   *big.NewInt(math.MaxInt64),
			BigFloat: *big.NewFloat(math.MaxFloat64),
		}

		_, err := json.Marshal(d)
		if err != nil {
			b.Error(err)
			b.Fail()
			return
		}
	}
}

func BenchmarkJsonUnmarshal(b *testing.B) {
	str := `
{
  "String": "",
  "Time": "2019-10-30T16:41:29.853426+07:00",
  "Int": 2147483647,
  "Int8": 127,
  "Int16": 32767,
  "Int32": 2147483647,
  "Int64": 9223372036854775807,
  "Boolean": false,
  "Float32": 3.4028235e+38,
  "Float64": 1.7976931348623157e+308,
  "BigInt": 9999999999999999999,
  "BigFloat": "2.7976931348623157e+308"
}
`

	for n := 0; n < b.N; n++ {
		var d Data
		err := json.Unmarshal([]byte(str), &d)
		if err != nil {
			b.Error(err)
			b.Fail()
			return
		}
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkJsonMarshal-12      	 1683752	       687.5 ns/op	     480 B/op	       5 allocs/op
BenchmarkJsonUnmarshal-12    	  330116	      3751 ns/op	    1912 B/op	      34 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/json	3.326s

math

// Package math compares the speed of various mathematical operations.
package math

import (
	"sync"
	"sync/atomic"
	"testing"
)

func BenchmarkMathInt8(b *testing.B) {
	var intVal int8
	for n := 0; n < b.N; n++ {
		intVal = intVal + 2
	}
}

func BenchmarkMathInt32(b *testing.B) {
	var intVal int32
	for n := 0; n < b.N; n++ {
		intVal = intVal + 2
	}
}

func BenchmarkMathInt64(b *testing.B) {
	var intVal int64
	for n := 0; n < b.N; n++ {
		intVal = intVal + 2
	}
}

func BenchmarkMathAtomicInt32(b *testing.B) {
	var intVal int32
	for n := 0; n < b.N; n++ {
		atomic.AddInt32(&intVal, 2)
	}
}

func BenchmarkMathAtomicInt64(b *testing.B) {
	var intVal int64
	for n := 0; n < b.N; n++ {
		atomic.AddInt64(&intVal, 2)
	}
}

type IntMutex struct {
	v   int64
	mux sync.Mutex
}

func BenchmarkMathMutexInt(b *testing.B) {
	var m IntMutex
	for n := 0; n < b.N; n++ {
		m.mux.Lock()
		m.v = m.v + 2
		m.mux.Unlock()
	}
}

func BenchmarkMathFloat32(b *testing.B) {
	var floatVal float32
	for n := 0; n < b.N; n++ {
		floatVal = floatVal + 2
	}
}

func BenchmarkMathFloat64(b *testing.B) {
	var floatVal float64
	for n := 0; n < b.N; n++ {
		floatVal = floatVal + 2
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkMathInt8-12           	1000000000	         0.3206 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathInt32-12          	1000000000	         0.3070 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathInt64-12          	1000000000	         0.3021 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathAtomicInt32-12    	287960606	         4.145 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathAtomicInt64-12    	273295914	         4.069 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathMutexInt-12       	142738342	         8.196 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathFloat32-12        	1000000000	         0.3130 ns/op	       0 B/op	       0 allocs/op
BenchmarkMathFloat64-12        	1000000000	         0.3031 ns/op	       0 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/math	7.121s

parse

// Package parse benchmarks parsing.
package parse

import (
	"strconv"
	"testing"
)

func BenchmarkParseBool(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := strconv.ParseBool("true")
		if err != nil {
			panic(err)
		}
	}
}

func BenchmarkParseInt(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := strconv.ParseInt("1337", 10, 64)
		if err != nil {
			panic(err)
		}
	}
}

func BenchmarkParseFloat(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := strconv.ParseFloat("3.141592653589793238462643383", 64)
		if err != nil {
			panic(err)
		}
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkParseBool-12     	1000000000	         0.3005 ns/op	       0 B/op	       0 allocs/op
BenchmarkParseInt-12      	100000000	        10.26 ns/op	       0 B/op	       0 allocs/op
BenchmarkParseFloat-12    	19781985	        62.45 ns/op	       0 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/parse	2.837s

random

// Package random compares math/rand with crypto/rand.
// math/rand is much faster than crypto/rand, but it
// returns only a pseudo random number.
package random

import (
	crand "crypto/rand"
	"encoding/base64"
	"math/big"
	mrand "math/rand"
	"testing"
)

func BenchmarkMathRand(b *testing.B) {
	for n := 0; n < b.N; n++ {
		mrand.Int63n(0xFFFF)
	}
}

func BenchmarkCryptoRand(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := crand.Int(crand.Reader, big.NewInt(0xFFFF))
		if err != nil {
			panic(err)
		}
	}
}

func BenchmarkCryptoRandString(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := GenerateRandomString(32)
		if err != nil {
			panic(err)
		}
	}
}

func BenchmarkCryptoRandBytes(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := GenerateRandomBytes(32)
		if err != nil {
			panic(err)
		}
	}
}

func GenerateRandomBytes(n int) ([]byte, error) {
	b := make([]byte, n)
	_, err := mrand.Read(b)
	if err != nil {
		return nil, err
	}

	return b, nil
}

func GenerateRandomString(s int) (string, error) {
	b, err := GenerateRandomBytes(s)
	return base64.URLEncoding.EncodeToString(b), err
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkMathRand-12            	248212438	         4.953 ns/op	       0 B/op	       0 allocs/op
BenchmarkCryptoRand-12          	 3474530	       357.4 ns/op	      48 B/op	       3 allocs/op
BenchmarkCryptoRandString-12    	12074575	       102.7 ns/op	     128 B/op	       3 allocs/op
BenchmarkCryptoRandBytes-12     	24720032	        50.11 ns/op	      32 B/op	       1 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/random	6.112s

regexp

// Package regexp benchmarks the performance of a pre-compiled regexp match
// a non-pre-compiled match and JIT-cached-compilation via golibs: https://simonwaldherr.de/go/golibs
package regexp

import (
	"regexp"
	"testing"

	"simonwaldherr.de/go/golibs/regex"
)

var regexpStr string = `^[A-Za-z0-9._%+-]+@[A-Za-z0-9.-]+\.[A-Za-z]{2,9}$`

func BenchmarkMatchString(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := regexp.MatchString(regexpStr, "[email protected]")
		if err != nil {
			panic(err)
		}
	}
}

func BenchmarkMatchStringCompiled(b *testing.B) {
	r, err := regexp.Compile(regexpStr)
	if err != nil {
		panic(err)
	}

	b.ResetTimer()
	for n := 0; n < b.N; n++ {
		r.MatchString("[email protected]")
	}
}

func BenchmarkMatchStringGolibs(b *testing.B) {
	for n := 0; n < b.N; n++ {
		_, err := regex.MatchString("[email protected]", regexpStr)
		if err != nil {
			panic(err)
		}
	}
}
$ go test -bench . -benchmem
goos: darwin
goarch: arm64
BenchmarkMatchString-12            	  282541	      4164 ns/op	   10015 B/op	      86 allocs/op
BenchmarkMatchStringCompiled-12    	 3659911	       326.6 ns/op	       0 B/op	       0 allocs/op
BenchmarkMatchStringGolibs-12      	 3531364	       333.4 ns/op	       0 B/op	       0 allocs/op
PASS
ok  	_/Users/simonwaldherr/git/golang-benchmarks/regexp	4.443s

More Repositories

1

golang-examples

Go(lang) examples - (explain the basics of #golang)
Go
1,498
star
2

GoRealtimeWeb

Examples how to write realtime web applications in Golang
Go
220
star
3

micromarkdown.js

convert markdown to html in under 5kb
JavaScript
207
star
4

GolangSortingVisualization

examples of various sorting algorithms in golang (with visualization)
Go
122
star
5

golibs

general purpose Golang code (to be included in other projects)
Go
121
star
6

passkit.php

a php function to create passes for Apple Passbook
PHP
61
star
7

PullToRefresh

a JavaScript implementation of PullToRefresh without jQuery or other Frameworks under MIT-License
HTML
57
star
8

HowTo-Deploy-LaTeX-Documents

Deploy LaTeX (and Markdown) Documents as PDF (and DjVu) via GitHub and TravisCI
TeX
49
star
9

ColorConverter.js

Convert between RGB, YUV, HSL, CMYK and HEX color defining with these JavaScript functions under MIT-License
HTML
45
star
10

zplgfa

#Golang package and cli tool for converting to #ZPL (from PNG, JPEG and GIF) for @ZebraTechnology-printers
Go
43
star
11

infinity.js

infinity.js adds infinite scrolling to webpages
JavaScript
43
star
12

cgolGo

Conway's Game of Life in Golang
Go
41
star
13

selfCSS

a CSS3 WYSIWYG Editor/Generator (in HTML5, CSS3 and JS)
JavaScript
35
star
14

disTime.js

converts UNIX-Timestamps to strings like " 5 days ago " in 19 languages
JavaScript
35
star
15

konami.js

logs every keypress and store it for later
JavaScript
34
star
16

parseTime.js

convert strings like "five days ago" to an integer (with time in seconds)
JavaScript
31
star
17

imgResize.js

smart resize images in a HTML5 Canvas
JavaScript
24
star
18

bbmandelbrotGo

generate images of a mandelbrot fractal
Go
20
star
19

wikiGo

mini wiki software in golang
Go
20
star
20

ups

Uncommon Printing System
Go
18
star
21

majaX.js

majaX stands for micro asynchronous javascript and X (X stands for XML, JSON, CSV, Plaintext, ...)
CoffeeScript
17
star
22

goCal

experimental #CalDAV + #WebCal Server in #Golang
Go
16
star
23

gwv

Golang Web Valve - to be connected to your series of tubes
Go
16
star
24

saprfc

call SAP ABAP Code from Golang (Remote Function Call)
Go
15
star
25

CSSfilter.js

CSSfilter.js helps you, adding CSS filters to images (or other elements)
JavaScript
14
star
26

fsagent

watch a folder for new or modified files and do something (copy, move, delete, send via mail, ...)
Go
13
star
27

golang-minigames

Go
12
star
28

cryptofoo

a good compromise between speed and validity to hash strings
JavaScript
10
star
29

sql-examples

sql examples (sqlite)
9
star
30

uploader

Multiple file upload plugin with progress-bar, drag-and-drop
JavaScript
7
star
31

ColorConverterGo

Convert between RGB, HSL and HEX color defining with these GO functions under MIT-License
Go
6
star
32

micromarkdown.php

https://github.com/SimonWaldherr/micromarkdown.js translated to php
PHP
6
star
33

se16jsonify

access SAP Database Tables and RFC-able Functions | example
Go
6
star
34

wp-osf-shownotes

simplifies Show Notes, write them in OSF, get them as HTML
CSS
6
star
35

DOMpteur

play with the Document Object Model (DOM) tree
JavaScript
5
star
36

micromarkdownGo

https://github.com/SimonWaldherr/micromarkdown.js translated to golang
Go
5
star
37

phpmd

convert md to html via php and regex
PHP
5
star
38

ScrapeEMS

ScrapeEMS is a #golang #cli tool to scrape the EMS (#ELDIS Management Suite)
Go
4
star
39

loginCtrl

a easy to use, free login system. (PHP, JS, SQLite/MySQL)
PHP
4
star
40

rpi-examples

Raspberry Pi Golang Examples
Go
4
star
41

ircLogger.go

Go
4
star
42

podlovejs

Podlove Web Player TNG – for internal bastelling only.
JavaScript
4
star
43

ColorConverter.php

Convert between RGB, HSL and HEX color defining with these PHP function under MIT-License
PHP
4
star
44

FormMate

FormMate is a Framework for making web forms
JavaScript
3
star
45

liveCalc

having fun with arithmetic
HTML
3
star
46

telnet2http.go

telnet server and http client in golang
Go
3
star
47

Arduino-sketchbook

My Arduino sketches on GitHub
Arduino
3
star
48

OTP-CAPTCHA

OneTimePad-Completely Automated Public Turing test to tell Computers and Humans Apart
PHP
3
star
49

Target3001-templates-and-examples

templates and examples for Target3001!
3
star
50

ranger

generates regexp code for numeric ranges
Go
3
star
51

canvastools.js

tools for a html5 canvas
JavaScript
3
star
52

colorize.js

converts integer to color
JavaScript
3
star
53

FluidSimASCII

This is a Golang fluid simulator using the "Smoothed-particle hydrodynamics (SPH)" method
Go
3
star
54

listDnD

sort lists via Drag and Drop. This is a fork from tool-man.org
JavaScript
3
star
55

easySQL

a database wrapper for easy read and write actions on a sql db (SQLite, MySQL, PostgreSQL, ...)
PHP
2
star
56

node.js-example

an example how to use node.js as a webserver
JavaScript
2
star
57

OSF.php

a repo for the main-code of the OSF parser (to include in other projects)
PHP
2
star
58

cgol.rs

Conway's Game of Life in Rust
Rust
2
star
59

BaF-Framework

HTML buttons and forms (since baf 2.0)
JavaScript
2
star
60

podlove-font

Shell
2
star
61

CocktailTDI

PHP
2
star
62

CalCalc.js

JavaScript functions to calculate calendars
HTML
2
star
63

FOJSLC

Free Open JavaScript Lib Collection
JavaScript
2
star
64

hx711go

Golang package to interface hx711 load cell amplifier
Go
2
star
65

str2ascii

text to ascii and reverse
PHP
1
star
66

DSV

An easy to use collection of php functions to deal with DSV files. Convert DSV files to a 2D Array, RSS-Feed, Atom-Feed, .htaccess, .htpasswd, HTML, FEA, ...
PHP
1
star
67

lightbox.js

a free, easy to use, tiny, jquery free lightbox script
JavaScript
1
star
68

go-wiki

mirror of the github golang wiki
1
star
69

Datanalyze

1
star
70

git-iso-29500

Dieses Dokument dient zur Eruierung der Praktikabilität von Git-Hooks zur Git-ifizierung von .docx-Dateien
Shell
1
star
71

SimonWaldherr

1
star
72

tcial.js

the cake is a lie, but the cookie isn't
JavaScript
1
star
73

movingavg

In statistics, a moving average is a calculation to analyze data points by creating a series of averages of different subsets of the full data set. #golang
Go
1
star
74

mySlid.es

a impress.js editor
PHP
1
star
75

BookTemplate

automate your document generation process
Nix
1
star
76

podlove-templates

Templates for the Podlove Publisher
HTML
1
star
77

data-href

ajax for normal links
JavaScript
1
star
78

sapUserManager

SAP User Copy via BAPIs
Go
1
star
79

rp2040-examples

Examples for Raspberry Pi Pico (RP2040 MCU based SBCs)
Python
1
star
80

ColorConverter.swift

Swift
1
star
81

dotfiles

my dotfiles
Shell
1
star
82

tableCtrl

make, modify, manage, export and delete HTML tables
JavaScript
1
star
83

Die-Gedanken-sind-frei

Hier nutze ich Git/GitHub als eine art Blog. Dies ist kein Software Repo! Alle Artikel sind, wie der Titel vermuten lässt, unter einer freien Lizenz, erhältlich (cc-by-sa)! Most of the content is in german, but sometimes in english!
1
star
84

ripe-atlas-probe-doc

1
star
85

game-of-life-js

Our take on coding John Conway's Game of life, the cellular automaton
JavaScript
1
star