Go の 单元测试
一. 文件夹格式
应该放在同一文件之下,文件命名格式如下:
1、文件名必须以xx_test.go命名
2、方法必须是Test[^a-z]开头
3、方法参数必须 t *testing.T
4、使用go test执行单元测试
1.先写待测文件
按照某个字段分割字符
func Split(s, sep string) (ret []string) {
idx := strings.Index(s, sep)
for idx != -1 {
ret = append(ret, s[:idx])
s = s[idx+1:]
idx = strings.Index(s, sep)
}
ret = append(ret, s) // 最后还得剩下一个,把剩下的这个再加上
return ret
}
2. 写测试文件
func TestSplit(t *testing.T) {
got := Split("a:b:c", ":") // 程序输出的结果,你自己写的函数
want := []string{"a", "b", "c"} //期望的结果,
if !reflect.DeepEqual(got, want) { //因为slice不能比较直接,借助反射包中的方法比较
fmt.Println("输出结果")
t.Errorf("want %T,%v", want, want) // errorf是格式化输出
}
}
3.执行命令
go test
二.批量的进行单元测试
func TestSplit(t *testing.T) {
type test struct {
input string
sep string
want []string
}
tests := map[string]test{
"test1": {input: "a:b:c:d", sep: ":", want: []string{"a", "b", "c","d"}},
"test2": {input: "abcbcdbcm", sep: "c", want: []string{"ab", "b", "db","m"}},
}
for name, test := range tests {
t.Run(name, func(t *testing.T) {
got := Split(test.input, test.sep)
if !reflect.DeepEqual(got, test.want) {
t.Errorf(name, "测试出错了", "结果为", got)
}
})
}
}
输入命令 go test
三.性能基准测试
// 性能基准测试
func BenchmarkSplit(b *testing.B) {
for i := 0; i < b.N; i++ {
Split("a:b:c:d",":")
}
}
输入命令,指定 bench 对应的函数
go test -bench=Split