TL;DR:模拟方法接受闭包。我想知道如何创建自定义匹配器(https://godoc.org/github.com/golang/mock/gomock#Matcher):闭包本身反过来又使用私有结构——这意味着我甚至不能在测试中调用闭包来检查它是否符合预期。
我正在使用Slack API开发一个小型应用程序,并借助nlopes/Slack(https://github.com/nlopes/slack)。
为了测试,我用gomock来嘲笑nlopes/slack。为此,我创建了接口
type slackAPI interface {
OpenConversation(*slack.OpenConversationParameters) (*slack.Channel, bool, bool, error)
PostMessage(channelID string, options ...slack.MsgOption) (string, string, error)
GetUserByEmail(email string) (*slack.User, error)
}
我测试OpenConversation或GetUserByEmail没有问题,例如
slackAPIClient.
EXPECT().
GetUserByEmail("some@email.com").
Return(slackUserJohndoe, nil).
Times(1)
当使用PostMessage时,事情会变得更加复杂。在主代码中,调用看起来像
_, _, err := slackAPIClient.PostMessage(channel.ID, slack.MsgOptionText(message, false))
放松。MsgOptionText(来自nlopes/slack(实际上正在返回闭包:
func MsgOptionText(text string, escape bool) MsgOption {
return func(config *sendConfig) error {
if escape {
text = slackutilsx.EscapeMessage(text)
}
config.values.Add("text", text)
return nil
}
}
由于方法接受闭包,我需要创建自定义gomock匹配器(https://godoc.org/github.com/golang/mock/gomock#Matcher)。自定义匹配器本身不是问题,它看起来像
type higherOrderFunctionEqMatcher struct {
x interface{}
}
func (e hofEqMatcher) Matches(x interface{}) bool {
//return m.x == x
return true
}
func (e hofEqMatcher) String(x interface{}) string {
return fmt.Sprintf("is equal %v", e.x)
}
然而,由于MsgOptionText使用nlopes/slack私有结构sendConfig,我想知道如何在测试范围内使用它来检查是否符合预期。
我该如何解决这样的问题?
记住
- 在Golang你不能比较函数
- 在这种精确的情况下,我不能通过调用闭包本身来进行间接测试(因为它使用私有的第三方lib的结构作为参数(
我找到的解决方案是模拟松弛。MsgOptionText(message,false(,然后返回PostMessage的闭包(channelID字符串,options…slack.MsgOption(:
type slackMsgCreator interface {
MsgOptionText(string, bool) slack.MsgOption
}
type slackMsgCreatorInst struct{}
func (s slackMsgCreatorInst) MsgOptionText(text string, escape bool) slack.MsgOption {
return slack.MsgOptionText(text, escape)
}
slackMsgCreator.
EXPECT().
MsgOptionText("Dear John Doe, message goes here", false).
Return(slack.MsgOptionText("Dear John Doe, message goes here", false)).
Times(1)
至于PostMessage——正如评论中所建议的那样,我唯一能检查的是闭包不是零:
slackAPIClient.
EXPECT().
PostMessage("ABCDE", Not(Nil())).
AnyTimes()