Go语言中的依赖注入

huangapple go评论75阅读模式
英文:

Dependency injection in Go

问题

我正在寻找一种适当的方法来进行依赖注入。

假设我有这样的代码,其中FancyWrite和FancyRead函数依赖于WriteToFile和ReadFromFile函数。由于这些函数具有副作用,我希望能够注入它们,以便在测试中替换它们。

一种尝试的方法是将它们作为参数放入函数中:

package main

func main() {
    FancyWrite(WriteToFile)
    FancyRead(ReadFromFile)
}

////////////////

func FancyWrite(writeToFile func(content []byte) (bool, error)) {
    writeToFile([]byte("content..."))
}

func FancyRead(readFromFile func(file string) ([]byte, error)) {
    readFromFile("/path/to/file")
}

////////////////

func WriteToFile(content []byte) (bool, error) {
    return true, nil
}

func ReadFromFile(file string) ([]byte, error) {
    return []byte{}, nil
}

这样做实际上效果很好,但是如果有更多的依赖关系,我可以看到这变得更难维护。我还尝试了一种工厂模式,如下所示,这样主函数就不必关心构建FancyWrite函数了。但是,语法变得有点难以阅读,如果有更多的函数,将很难维护。

func FancyWriteFactory(writeToFile func(content []byte) (bool, error)) func() {
    return func() {
        FancyWrite(writeToFile)
    }
}

接下来,我尝试将函数作为结构体的方法:

package main

func main() {
    dfu := DefaultFileUtil{}
    ffm := FancyFileModule{
        FileUtil: &dfu,
    }

    ffm.FancyWrite()
    ffm.FancyRead()
}

////////////////

type FileUtil interface {
    WriteToFile(content []byte) (bool, error)
    ReadFromFile(file string) ([]byte, error)
}

type FancyFileModule struct {
    FileUtil
}

func (fm *FancyFileModule) FancyWrite() {
    fm.FileUtil.WriteToFile([]byte("content..."))
}

func (fm *FancyFileModule) FancyRead() {
    fm.FileUtil.ReadFromFile("/path/to/file")
}

////////////////

type DefaultFileUtil struct{}

func (fu *DefaultFileUtil) WriteToFile(content []byte) (bool, error) {
    return true, nil
}

func (fu *DefaultFileUtil) ReadFromFile(file string) ([]byte, error) {
    return []byte{}, nil
}

现在,这样做效果很好,而且更清晰。然而,我担心现在只是将我的函数强行作为方法,感觉有些奇怪。我猜我可以这样理解,结构体适用于具有一些状态的情况,而我可以将依赖关系视为状态?

这些是我尝试的方法。所以我的问题是,在这种情况下,依赖注入的正确方法是什么,当将函数作为方法只是为了使它们成为其他地方的依赖项集合时?

谢谢!

英文:

I'm looking for an appropriate way to inject dependencies.

Say I have this code where the FancyWrite and FancyRead functions have a dependency on the WriteToFile and ReadFromFile functions. Since these have side effects I'd like to be able to inject them so I can replace them in tests.

package main

func main() {
	FancyWrite()
	FancyRead()
}

////////////////

func FancyWrite() {
	WriteToFile([]byte("content..."))
}

func FancyRead() {
	ReadFromFile("/path/to/file")
}

////////////////

func WriteToFile(content []byte) (bool, error) {
	return true, nil
}

func ReadFromFile(file string) ([]byte, error) {
	return []byte{}, nil
}

One thing I tried is just put them as parameters into the functions:

package main

func main() {
	FancyWrite(WriteToFile)
	FancyRead(ReadFromFile)
}

////////////////

func FancyWrite(writeToFile func(content []byte) (bool, error)) {
	writeToFile([]byte("content..."))
}

func FancyRead(readFromFile func(file string) ([]byte, error)) {
	readFromFile("/path/to/file")
}

////////////////

func WriteToFile(content []byte) (bool, error) {
	return true, nil
}

func ReadFromFile(file string) ([]byte, error) {
	return []byte{}, nil
}

So, this actually works great, but I could see this becoming harder to maintain for more dependencies. I also tried a factory pattern like the following so that the main function doesn't have to concern itself with building the FancyWrite function. But, the syntax is getting a little hard to read and with even more functions would be hard to maintain.

func FancyWriteFactory(writeToFile func(content []byte) (bool, error)) func() {
	return func() {
		FancyWrite(writeToFile)
	}
}

So next I tried housing the functions as methods in a struct:

package main

func main() {
	dfu := DefaultFileUtil{}
	ffm := FancyFileModule{
		FileUtil: &dfu,
	}

	ffm.FancyWrite()
	ffm.FancyRead()
}

////////////////

type FileUtil interface {
	WriteToFile(content []byte) (bool, error)
	ReadFromFile(file string) ([]byte, error)
}

type FancyFileModule struct {
	FileUtil
}

func (fm *FancyFileModule) FancyWrite() {
	fm.FileUtil.WriteToFile([]byte("content..."))
}

func (fm *FancyFileModule) FancyRead() {
	fm.FileUtil.ReadFromFile("/path/to/file")
}

////////////////

type DefaultFileUtil struct{}

func (fu *DefaultFileUtil) WriteToFile(content []byte) (bool, error) {
	return true, nil
}

func (fu *DefaultFileUtil) ReadFromFile(file string) ([]byte, error) {
	return []byte{}, nil
}

Now, this actually works well and is cleaner. However, I'm worried I am just shoehorning my functions as methods now and something just felt odd about that. I guess I can reason about it because structs are good when you have some state, and I guess I can count the dependencies as state?

Those are the things I tried. So my question is, what is the proper way to do dependency injection in this case when the only reason to put functions as methods is to make them be a collection of dependencies elsewhere?

Thanks!

答案1

得分: 2

简单来说,你不能在函数中使用依赖注入,只能在方法中使用。从技术上讲,你可以将函数作为全局变量来使用(例如 var WriteToFile = func(content []byte) (bool, error) { [...] }),但这样的代码很容易出错。

从惯用的角度来看,更好的解决方案是将你想要替换、注入或包装的任何行为转换为一个方法,然后将该方法包装在一个接口中。

例如:

type (
    FancyReadWriter interface {
        FancyWrite()
        FancyRead()
    }

    fancyReadWriter struct {
        w Writer
        r Reader
    }
    
    Writer interface {
        Write([]byte) (bool, error)
    }

    Reader interface {
        Read() ([]byte, error)
    }

    fileWriter struct {
        path string
        // 或者 f *os.File
    }

    fileReader struct {
        path string
        // 或者 f *os.File
    }
)

func (w fileWriter) Write([]byte) (bool, error) {
    // 写入文件
    return true, nil
}

func (r fileReader) Read() ([]byte, error) {
    // 从文件中读取
    return nil, nil
}

func (f fancyReadWriter) FancyWrite() {
    // 当我忽略返回值时,我喜欢明确表示,因此使用下划线。
    _, _ = f.w.Write([]byte("some content..."))
}

func (f fancyReadWriter) FancyRead() {
    _, _ = f.r.Read()
}

func NewFancyReadWriter(w Writer, r Reader) FancyReadWriter {
    // 注意:返回结构体类型的指针,但实际上作为接口返回,抽象了底层实现。
    return &fancyReadWriter{
        w: w,
        r: r,
    }
}

func NewFileReader(path string) Reader {
    // 同样地,返回结构体的指针作为接口
    return &fileReader {
        path: path
    }
}

func NewFileWriter(path string) Writer {
    // 同样地,返回结构体的指针作为接口
    return &fileWriter {
        path: path
    }
}

func Main() {
    w := NewFileWriter("/var/some/path")
    r := NewFileReader("/var/some/other/path")
    f := NewFancyReadWriter(w, r)

    f.FancyWrite()
    f.FancyRead()
}

然后在测试文件中(或者你想进行依赖注入的任何地方):

type MockReader struct {}

func (m MockReader) Read() ([]byte, error) {
    return nil, fmt.Errorf("test error 1")
}

type MockWriter struct {}

func (m MockWriter) Write([]byte) (bool, error) {
    return false, fmt.Errorf("test error 2")
}

func TestFancyReadWriter(t *testing.T) {
    var w MockWriter
    var r MockReader
    f := NewFancyReadWriter(w, r)
    
    // 现在 f 的方法将调用模拟方法
    f.FancyWrite()
    f.FancyRead()
}

你还可以进一步将模拟或依赖注入框架功能化,从而使其更加灵活。实际上,这是我在测试中使用的模拟的首选方式,因为它允许我在测试中使用该行为来定义模拟的依赖行为。例如:

type MockReader struct {
    Readfunc func() ([]byte, error)
    ReadCalled int
}

func (m *MockReader) Read() (ret1 []byte, ret2 error) {
    m.ReadCalled++
    if m.Readfunc != nil {
        // 非常小心,不要在这里直接调用 m.Read(),否则会导致无限递归。
        ret1, ret2 = m.Readfunc()
    }

    // 如果 Readfunc == nil,则返回零值
    return 
}

type MockWriter struct {
    Writefunc func([]byte) (bool, error)
    WriteCalled int
}

func (m MockWriter) Write(arg1 []byte) (ret1 bool, ret2 error) {
    m.WriteCalled++
    if m.Writefunc != nil {
        ret1, ret2 = m.Writefunc(arg1)
    }

    // 如果 Writefunc == nil,则返回零值
    return 
}

func TestFancyReadWriter(t *testing.T) {
    var w MockWriter
    var r MockReader

    // 注意,这些定义是可选的。如果你不提供定义,模拟将只返回返回类型的零值,因此只有在需要自定义行为(如不同的返回值或测试断言)时才需要定义这些函数。

    w.Writefunc = func(d []byte) (bool, error) {
        // 进行你想要的任何测试,如对输入的断言等
        // 然后根据你想要测试调用者如何处理的返回值。
        return false, nil
    }

    r.Readfunc = func() ([]byte, error) {
        return nil, nil
    }

    // 由于模拟现在将方法定义为指针接收器方法,以便模拟可以跟踪调用次数,所以我们必须传入模拟的地址而不是模拟作为结构体值。
    f := NewFancyReadWriter(&w, &r)
    
    // 现在 f 的方法将调用模拟方法
    f.FancyWrite()
    f.FancyRead()

    // 现在你有了一种简单的方法来断言调用是否发生:
    if w.WriteCalled < 1 {
        t.Fail("Missing expected call to Writer.Write().")
    }

    if r.ReadCalled < 1 {
        t.Fail("Missing expected call to Reader.Read().")
    }
}

由于这里涉及的所有类型(Reader、Writer 和 FancyReadWriter)都作为接口而不是具体类型传递,因此将它们包装在中间件或类似的东西中(如日志记录、度量/跟踪、超时中断等)变得非常简单。

这是 Go 接口系统最强大的优势。开始将类型视为“行为的集合”,将行为附加到可以容纳它们的类型上,并将所有行为类型作为接口传递,而不是具体的结构体(仅用于组织特定数据位的数据结构是可以的,否则你必须为每个属性定义 Getter 和 Setter,这样做很麻烦而且没有太多好处)。这样,你可以随时隔离、包装或完全替换任何特定的行为。

英文:

The simple answer is that you cannot cleanly use dependency injection with functions, only with methods. Technically, you could make the functions global vars instead (ex. var WriteToFile = func(content []byte) (bool, error) { [...] }), but this is rather brittle code.

The more proper solution, from an idiomatic perspective, is to make any behavior you want to replace, inject, or wrap into a method that is then wrapped in an interface.

For example:

type (
    FancyReadWriter interface {
        FancyWrite()
        FancyRead()
    }

    fancyReadWriter struct {
        w Writer
        r Reader
    }
    
    Writer interface {
        Write([]byte) (bool, error)
    }

    Reader interface {
        Read() ([]byte, error)
    }

    fileWriter struct {
        path string
        // or f *os.File
    }

    fileReader struct {
        path string
        // or f *os.File
    }
)

func (w fileWriter) Write([]byte) (bool, error) {
    // Write to the file
    return true, nil
}

func (r fileReader) Read() ([]byte, error) {
    // Read from the file
    return nil, nil
}

func (f fancyReadWriter) FancyWrite() {
    // I like to be explicit when I&#39;m ignoring return values, 
    // hence the underscores.
    _, _ = f.w.Write([]byte(&quot;some content...&quot;))
}

func (f fancyReadWriter) FancyRead() {
    _, _ = f.r.Read()
}

func NewFancyReadWriter(w Writer, r Reader) FancyReadWriter {
    // NOTE: Returning a pointer to the struct type, but it is actually
    // returned as an interface instead, abstracting the underlying
    // implementation.
    return &amp;fancyReadWriter{
        w: w,
        r: r,
    }
}

func NewFileReader(path string) Reader {
    // Same here, returning a pointer to the struct as the interface
    return &amp;fileReader {
        path: path
    }
}

func NewFileWriter(path string) Writer {
    // Same here, returning a pointer to the struct as the interface
    return &amp;fileWriter {
        path: path
    }
}

func Main() {
    w := NewFileWriter(&quot;/var/some/path&quot;)
    r := NewFileReader(&quot;/var/some/other/path&quot;)
    f := NewFancyReadWriter(w, r)

    f.FancyWrite()
    f.FancyRead()
}

And then in the test file (or wherever you want to do the dependency injection):

type MockReader struct {}

func (m MockReader) Read() ([]byte, error) {
    return nil, fmt.Errorf(&quot;test error 1&quot;)
}

type MockWriter struct {}

func (m MockWriter) Write([]byte) (bool, error) {
    return false, fmt.Errorf(&quot;test error 2&quot;)
}

func TestFancyReadWriter(t *testing.T) {
    var w MockWriter
    var r MockReader
    f := NewFancyReadWriter(w, r)
    
    // Now the methods on f will call the mock methods instead
    f.FancyWrite()
    f.FancyRead()
}

You could then go a step further and make the mock or injection framework functional and thus flexible. This is my preferred style for mocks for tests, actually, as it lets me define the behavior of the mocked dependency within the test using that behavior. Example:

type MockReader struct {
    Readfunc func() ([]byte, error)
    ReadCalled int
}

func (m *MockReader) Read() (ret1 []byte, ret2 error) {
    m.ReadCalled++
    if m.Readfunc != nil {
        // Be *very* careful that you don&#39;t just call m.Read() here.
        // That would result in an infinite recursion.
        ret1, ret2 = m.Readfunc()
    }

    // if Readfunc == nil, this just returns the zero values
    return 
}

type MockWriter struct {
    Writefunc func([]byte) (bool, error)
    WriteCalled int
}

func (m MockWriter) Write(arg1 []byte) (ret1 bool, ret2 error) {
    m.WriteCalled++
    if m.Writefunc != nil {
        ret1, ret2 = m.Writefunc(arg1)
    }

    // Same here, zero values if the func is nil
    return 
}

func TestFancyReadWriter(t *testing.T) {
    var w MockWriter
    var r MockReader

    // Note that these definitions are optional.  If you don&#39;t provide a
    // definition, the mock will just return the zero values for the
    // return types, so you only need to define these functions if you want
    // custom behavior, like different returns or test assertions.

    w.Writefunc = func(d []byte) (bool, error) {
        // Whatever tests you want, like assertions on the input or w/e
        // Then whatever returns you want to test how the caller handles it.
        return false, nil
    }

    r.Readfunc = func() ([]byte, error) {
        return nil, nil
    }

    // Since the mocks now define the methods as *pointer* receiver methods,
    // so the mock can keep track of the number of calls, we have to pass in
    // the address of the mocks rather than the mocks as struct values.
    f := NewFancyReadWriter(&amp;w, &amp;r)
    
    // Now the methods on f will call the mock methods instead
    f.FancyWrite()
    f.FancyRead()

    // Now you have a simple way to assert that the calls happened:
    if w.WriteCalled &lt; 1 {
        t.Fail(&quot;Missing expected call to Writer.Write().&quot;)
    }

    if r.ReadCalled &lt; 1 {
        t.Fail(&quot;Missing expected call to Reader.Read().&quot;)
    }
}

Since all of the types involved here (the Reader, Writer, and the FancyReadWriter) are all handed around as interfaces rather than concrete types, it also becomes trivial to wrap them with middleware or similar (ex. logging, metrics/tracing, timeout aborts, etc).

This is hands down the most power strength of Go's interface system. Start thinking of types as bags of behavior, attach your behavior to types that can hold them, and pass all behavior types around as interfaces rather than concrete structs (data structs that are just used to organize specific bits of data are perfectly fine without interfaces, else you have to define Getters and Setters for everything and it's a real chore without much benefit). This lets you isolate, wrap, or entirely replace any particular bit of behavior you want at any time.

huangapple
  • 本文由 发表于 2021年6月12日 09:17:08
  • 转载请务必保留本文链接:https://go.coder-hub.com/67944863.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定