单元测试


Golang的测试依赖于 ==go test== 命令,测试文件一般来说以 ==xxx_test.go== 格式,其中的代码不会被go build编译到最终的可执行文件中

==xxx_test.go== 文件中有三种类型的函数

类型 格式 作用
测试函数 函数名前缀为Test 测试程序的一些逻辑i行为是否正确
基准函数 函数名前缀为Benchmark 测试函数的性能
示例函数 函数名前缀为Example 为文档提供示例文档

单元测试函数

一般来说来goland中创建一个文件名字格式为 x_test.go ,编译器就会自动把他变成测试函数的类型,如果你的函数名字格式写成 TestFunction 开头,自动会生成相应的形式,非常方便

1
2
3
func TestName(t *testing.T){
//......
}

其中 t 用于报告测试失败附加的日志信息

1
2
3
func (c *T) Error(args ...interface{})
func (c *T) Fatal(args ...interface{})
//....

命令:

go test

单元测试示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
package t
// t.go 被测试函数
// Split 把字符串s按照给定的分隔符sep进行分割返回字符串切片
import "strings"

func Split(s, sep string) (result []string) {
i := strings.Index(s, sep)

for i > -1 {
result = append(result, s[:i])
s = s[i+1:]
i = strings.Index(s, sep)
}
result = append(result, s)
return
}
1
2
3
4
5
6
7
8
9
10
11
12
13
package t
// t_test.go 测试函数
import (
"fmt"
"testing"
)

func TestSplit(t *testing.T) {
s := "a,b,c"
sep := ","
res := Split(s, sep)
fmt.Println(res)
}
1
2
3
4
5
// output:
=== RUN TestSplit
[a b c]
--- PASS: TestSplit (0.00s)
PASS

总结

其实上面的被测试案例是有问题的,但是因为我们的测试案例过于少且特殊,因此我们需要注意测试的时候案例足够权威全面

回归测试

如果测试中发现有个测试用例是错误的,然后你修改了代码

之后你应该把之前所有的测试用例都再重新测试一遍,而不是只测试之前错误的测试用例

跳过测试用例

为了节省时间可以跳过一些麻烦的测试用例

1
2
3
4
5
6
7
func TestSplit(t *testing.T) {
s := "a,b,c"
sep := ","
t.Skip("skip test") // 跳过测试用例
res := Split(s, sep)
fmt.Println(res)
}
1
2
3
4
// output : 
=== RUN TestSplit
t_test.go:11: skip test
--- SKIP: TestSplit (0.00s)

子测试

可以为每一个测试数据编写一个测试函数

1
2
3
4
5
func TestXXX(t *testing.T){
t.Run("case1", func(t *testing.T){...})
t.Run("case2", func(t *testing.T){...})
t.Run("case3", func(t *testing.T){...})
}

表格驱动测试

看着比较高大上,其实就是定义一个测试用例表格,然后遍历表格,并使用==t.Run==对每个条目进行测试

并行测试

并行测试

1
2
3
4
5
6
7
8
9
10
for _, tt := range tests {
tt := tt // 注意这里重新声明tt变量(避免多个goroutine中使用了相同的变量)
t.Run(tt.name, func(t *testing.T) { // 使用t.Run()执行子测试
t.Parallel() // 将每个测试用例标记为能够彼此并行运行
got := Split(tt.input, tt.sep)
if !reflect.DeepEqual(got, tt.want) {
t.Errorf("expected:%#v, got:%#v", tt.want, got)
}
})
}

测试覆盖率

覆盖率是指 被测试套件覆盖的百分比,一般来说就是语句的覆盖率,即测试中至少被运行一次的代码占总代码的比例,一般来说要达到百分之八十

go test -cover

go test -cover -coverprofile= fileName 记录输出到文件总

好用的测试库

  • Monkey

  • testify 一个超级的断言工具

    assert-Go