我有一个简单的服务:
package services
type X struct {
Name string
}
func (x X) Valid() bool {
return x.Name != ""
}
type Service struct{}
func (service Service) Do(x X) bool {
return x.Valid()
}
以及附带的测试文件:
package services_test
import (
"playground/services"
"testing"
)
func TestService_valid(t *testing.T) {
x := services.X{
Name: "something",
}
service := services.Service{}
did := service.Do(x)
if !did {
t.Fatalf("it didn't do the thing, but should")
}
}
func TestService_invalid(t *testing.T) {
x := services.X{}
service := services.Service{}
did := service.Do(x)
if did {
t.Fatalf("it did do the thing, but shouldn't")
}
}
我目前正在根据
X
函数实际检查的内容将我的Valid()
设置为有效或无效,将来当我的X
的有效性不再仅仅与Name
相关时
属性我必须更新我的所有测试。
我宁愿直接模拟
Valid
方法并让它返回我想要在特定测试中发生的情况。然而,我所有的尝试要么使业务逻辑过于复杂(我不想必然改变),要么要求我将接口传递给我的 Do
函数。我不想将服务方法的每个参数都包装在接口中,这样我就可以在测试中模拟它们。
我可能从错误的角度处理整个问题,但我似乎找不到一个干净的方法来做到这一点。
我想在测试中完成的事情是这样的
type mockX struct {
IsValid bool
}
func (m mockX) Valid() bool {
return m.IsValid
}
func TestService_valid(t *testing.T) {
mock := mockX{IsValid: true}
service := services.Service{}
did := service.Do(mock)
if !did {
t.Fatalf("it didn't do the thing, but should")
}
}
func TestService_invalid(t *testing.T) {
mock := mockX{IsValid: false}
service := services.Service{}
did := service.Do(mock)
if did {
t.Fatalf("it did do the thing, but shouldn't")
}
}
但是类型检查器不喜欢我传入
xMock
,其中需要 X
(这是合乎逻辑的)
将接口而不是结构传递给 Do 函数:
type XInterface {
Valid() bool
}
func (service Service) Do(x XInterface) bool {
return x.Valid()
}