2

我在使用 testify 触发 golang 中声明为变量的函数时遇到问题。

测试和函数都在同一个包中声明。

var testableFunction = func(abc string) string {...}

现在我有一个不同的文件,带有单元测试调用 testableFunction

func TestFunction(t *testing.T){
     ...
     res:=testableFunction("abc")
     ...
}

调用 TestFunctiongo test不会引发任何异常,但 testableFunction 实际上从未运行过。为什么?

4

1 回答 1

2

那是因为您的testableFunction变量被分配到代码中的其他位置。

看这个例子:

var testableFunction = func(s string) string {
    return "re: " + s
}

测试代码:

func TestFunction(t *testing.T) {
    exp := "re: a"
    if got := testableFunction("a"); got != exp {
        t.Errorf("Expected: %q, got: %q", exp, got)
    }
}

运行go test -cover

PASS
coverage: 100.0% of statements
ok      play    0.002s

显然,如果在测试执行之前分配了一个新的函数值testableFunction,那么用于初始化变量的匿名函数将不会被测试调用。

为了演示,将您的测试功能更改为:

func TestFunction(t *testing.T) {
    testableFunction = func(s string) string { return "re: " + s }

    exp := "re: a"
    if got := testableFunction("a"); got != exp {
        t.Errorf("Expected: %q, got: %q", exp, got)
    }
}

运行go test -cover

PASS
coverage: 0.0% of statements
ok      play    0.003s
于 2016-11-28T14:38:11.797 回答