前往 mockgen 以模拟未被调用的函数
来源:stackoverflow
时间:2024-02-28 15:54:25 156浏览 收藏
Golang小白一枚,正在不断学习积累知识,现将学习到的知识记录一下,也是将我的所得分享给大家!而今天这篇文章《前往 mockgen 以模拟未被调用的函数》带大家来了解一下##content_title##,希望对大家的知识积累有所帮助,从而弥补自己的不足,助力实战开发!
我在一台8核的windows机器上使用go 1.19,操作系统是windows 10 pro。 我使用mockgen工具来生成模拟。当我调试测试时,我看到执行 expect() 函数时记录了模拟方法。 模拟函数被调用,但测试失败,并出现模拟函数“缺少调用”。 我看不出我做错了什么,有人可以指出吗?
directory structure : cmd configure.go configure_test.go mocks mock_validator.go validator validator.go user user.go go.mod main.go
* Contents of main.go package main import ( "localdev/mockexample/cmd" ) func main() { cmd.Configure() } * Contents of configure.go package cmd import ( "fmt" "localdev/mockexample/user" "os" "localdev/mockexample/validator" ) var ( name, password string ) func Configure() { name := os.Args[1] password := os.Args[2] user, err := validate(validator.NewValidator(name, password)) if err != nil { fmt.Printf("%v\n", err) return } fmt.Printf("Credentials are valid. Welcome: %s %s\n", user.FirstName, user.LastName) } func validate(validator validator.Validator) (*user.Data, error) { user, err := validator.ValidateUser() if err != nil { return nil, fmt.Errorf("some thing went wrong. %v", err) } return user, nil } * Contents of validator.go package validator import ( "fmt" "localdev/mockexample/user" ) //go:generate mockgen -destination=../mocks/mock_validator.go -package=mocks localdev/mockexample/validator Validator type Validator interface { ValidateUser() (*user.Data, error) } type ValidationRequest struct { Command string Name string Password string } func (vr ValidationRequest) ValidateUser() (*user.Data, error) { if vr.Name == "bob" && vr.Password == "1234" { return &user.Data{UserID: "123", UserName: "bsmith", FirstName: "Bob", LastName: "Smith"}, nil } return nil, fmt.Errorf("invalid credentials") } func NewValidator(name string, password string) Validator { return &ValidationRequest{Name: name, Password: password} } * Contents of user.go package user type Data struct { UserID string `json:"user_id"` UserName string `json:"user_name"` FirstName string `json:"first_name"` LastName string `json:"last_name"` } * Contents of configure_test.go package cmd import ( "localdev/mockexample/mocks" "localdev/mockexample/user" "os" "testing" "github.com/golang/mock/gomock" ) func TestConfigure(t *testing.T) { t.Run("ConfigureWithMock", func(t *testing.T) { os.Args[1] = "bob" os.Args[2] = "1234" ctrl := gomock.NewController(t) mockValidator := mocks.NewMockValidator(ctrl) //mockValidator.EXPECT().ValidateUser().AnyTimes() // zero more calls, so this will also pass. userData := user.Data{UserID: "testId"} mockValidator.EXPECT().ValidateUser().Return(&userData, nil).Times(1) //(gomock.Any(), gomock.Any()) //(&userData, nil) Configure() }) } Contents of generated mock // Code generated by MockGen. DO NOT EDIT. // Source: localdev/mockexample/validator (interfaces: Validator) // Package mocks is a generated GoMock package. package mocks import ( user "localdev/mockexample/user" reflect "reflect" gomock "github.com/golang/mock/gomock" ) // MockValidator is a mock of Validator interface. type MockValidator struct { ctrl *gomock.Controller recorder *MockValidatorMockRecorder } // MockValidatorMockRecorder is the mock recorder for MockValidator. type MockValidatorMockRecorder struct { mock *MockValidator } // NewMockValidator creates a new mock instance. func NewMockValidator(ctrl *gomock.Controller) *MockValidator { mock := &MockValidator{ctrl: ctrl} mock.recorder = &MockValidatorMockRecorder{mock} return mock } // EXPECT returns an object that allows the caller to indicate expected use. func (m *MockValidator) EXPECT() *MockValidatorMockRecorder { return m.recorder } // ValidateUser mocks base method. func (m *MockValidator) ValidateUser() (*user.Data, error) { m.ctrl.T.Helper() ret := m.ctrl.Call(m, "ValidateUser") ret0, _ := ret[0].(*user.Data) ret1, _ := ret[1].(error) return ret0, ret1 } // ValidateUser indicates an expected call of ValidateUser. func (mr *MockValidatorMockRecorder) ValidateUser() *gomock.Call { mr.mock.ctrl.T.Helper() return mr.mock.ctrl.RecordCallWithMethodType(mr.mock, "ValidateUser", reflect.TypeOf((*MockValidator)(nil).ValidateUser)) }
正确答案
根本问题是函数 configure
从不使用模拟结构,因此您会收到 missing call(s) to *mocks.mockvalidator.validateuser()
错误。
在文件configure_test.go
中,根本没有使用mockvalidator
。必须对该模拟进行某种注入才能由 configure
函数调用。
您可以进行以下更改来修复测试,作为我提到的注入的示例。并不是说这是最好的方法,但我正在努力减少对代码的可能更改。
configure_test.go
:
func testconfigure(t *testing.t) { t.run("configurewithmock", func(t *testing.t) { os.args[1] = "bob" os.args[2] = "1234" ctrl := gomock.newcontroller(t) mockvalidator := mocks.newmockvalidator(ctrl) //mockvalidator.expect().validateuser().anytimes() // zero more calls, so this will also pass. userdata := user.data{userid: "testid"} mockvalidator. expect(). validateuser("bob", "1234"). return(&userdata, nil). times(1) //(gomock.any(), gomock.any()) //(&userdata, nil) configure(mockvalidator) }) }
configure.go
func configure(v validator.validator) { name := os.args[1] password := os.args[2] user, err := v.validateuser(name, password) if err != nil { fmt.printf("some thing went wrong. %v\n", err) return } fmt.printf("credentials are valid. welcome: %s %s\n", user.firstname, user.lastname) }
validator.go
type Validator interface { ValidateUser(name, password string) (*user.Data, error) } type ValidationRequest struct { Command string // Name string // Password string } func (vr ValidationRequest) ValidateUser(name, password string) (*user.Data, error) { if name == "bob" && password == "1234" { return &user.Data{UserID: "123", UserName: "bsmith", FirstName: "Bob", LastName: "Smith"}, nil } return nil, fmt.Errorf("invalid credentials") } func NewValidator() Validator { return &ValidationRequest{} }
考虑到您需要再次生成模拟。希望这可以帮助您理解模拟测试。
好了,本文到此结束,带大家了解了《前往 mockgen 以模拟未被调用的函数》,希望本文对你有所帮助!关注golang学习网公众号,给大家分享更多Golang知识!
-
502 收藏
-
502 收藏
-
501 收藏
-
501 收藏
-
501 收藏
-
139 收藏
-
204 收藏
-
325 收藏
-
477 收藏
-
486 收藏
-
439 收藏
-
357 收藏
-
352 收藏
-
101 收藏
-
440 收藏
-
212 收藏
-
143 收藏
-
- 前端进阶之JavaScript设计模式
- 设计模式是开发人员在软件开发过程中面临一般问题时的解决方案,代表了最佳的实践。本课程的主打内容包括JS常见设计模式以及具体应用场景,打造一站式知识长龙服务,适合有JS基础的同学学习。
- 立即学习 542次学习
-
- GO语言核心编程课程
- 本课程采用真实案例,全面具体可落地,从理论到实践,一步一步将GO核心编程技术、编程思想、底层实现融会贯通,使学习者贴近时代脉搏,做IT互联网时代的弄潮儿。
- 立即学习 508次学习
-
- 简单聊聊mysql8与网络通信
- 如有问题加微信:Le-studyg;在课程中,我们将首先介绍MySQL8的新特性,包括性能优化、安全增强、新数据类型等,帮助学生快速熟悉MySQL8的最新功能。接着,我们将深入解析MySQL的网络通信机制,包括协议、连接管理、数据传输等,让
- 立即学习 497次学习
-
- JavaScript正则表达式基础与实战
- 在任何一门编程语言中,正则表达式,都是一项重要的知识,它提供了高效的字符串匹配与捕获机制,可以极大的简化程序设计。
- 立即学习 487次学习
-
- 从零制作响应式网站—Grid布局
- 本系列教程将展示从零制作一个假想的网络科技公司官网,分为导航,轮播,关于我们,成功案例,服务流程,团队介绍,数据部分,公司动态,底部信息等内容区块。网站整体采用CSSGrid布局,支持响应式,有流畅过渡和展现动画。
- 立即学习 484次学习