51Testing软件测试论坛

标题: Golang中的表驱动测试 [打印本页]

作者: lsekfe    时间: 2020-8-19 10:41
标题: Golang中的表驱动测试
在practice-go中我们经常使用表驱动测试来测试所有可能的函数使用场景。例如FindAnagrams()函数对于给定输入返回字典中找到的字谜列表。
  为了能够正确测试FindAnagrams()函数,我们需要测试各种情况,例如空输入,有效输入,无效输入等。我们可以修改不同断言来实现测试,但是使用表测试要容易得多。
  假设有以下函数:
  1. FindAnagrams(string word) []string
复制代码
这是“表”看起来的样子:
  1. var tests = []struct {
  2.   name string
  3.   word string
  4.   want []string
  5.   }{
  6.   {"empty input string", "", []string{}},
  7.   {"two anagrams", "Protectionism", []string{"Cite no imports", "Nice to imports"}},
  8.   {"input with space", "Real fun", []string{"funeral"}},
  9.   }
复制代码
通常,表是匿名结构体数组切片,可以定义结构体或使用已经存在的结构进行结构体数组声明。name属性用来描述特定的测试用例。
  有了表之后,我们可以简单地进行迭代和断言:
  1. func TestFindAnagrams(t *testing.T) {
  2.   for _, tt := range tests {
  3.   t.Run(tt.name, func(t *testing.T) {
  4.   got := FindAnagrams(tt.word)
  5.   if got != tt.want {
  6.   t.Errorf("FindAnagrams(%s) got %v, want %v", tt.word, got, tt.want)
  7.   }
  8.   })
  9.   }
  10.   }
复制代码
可以使用其他函数代替t.Errorf()函数,t.Errorf()仅仅记录错误并继续测试。
  在Go中很流行的Testify断言包使单元测试明确,比如:
  1. assert.Equal(t, got, tt.want, "they should be equal")
复制代码
t.Run()将启动一个子测试,并且如果您以详细模式运行测试( go test -v),您将看到每个子测试结果:
  1. === RUN   TestFindAnagrams
  2.   === RUN   TestFindAnagrams/empty_input_string
  3.   === RUN   TestFindAnagrams/two_anagrams
  4.   === RUN   TestFindAnagrams/input_with_space
复制代码
 由于Go 1.7测试包允许使用(*testing.T).Parallel()来并行子测试。请确保并行化测试是有意义的!
  1. t.Run(tt.name, func(subtest *testing.T) {
  2.   subtest.Parallel()
  3.   got := FindAnagrams(tt.word)
  4.   // assertion
  5.   })
复制代码
就是这样,享受在Go中进行表驱动测试吧!






欢迎光临 51Testing软件测试论坛 (http://bbs.51testing.com/) Powered by Discuz! X3.2