如何在golang中实现不同包的接口?

时间:2017-06-03 17:10:36

标签: go

我是golang的初学者,正在尝试接口。我想将接口保存在一个单独的包中,以便我可以使用它在各种其他包中实现它,也将它提供给其他团队(.a文件),以便他们可以实现自定义插件。请参阅下面的示例,了解我希望实现的目标。

--- Folder structure ---
gitlab.com/myproject/
                  interfaces/
                            shaper.go
                  shapes/
                        rectangle.go
                        circle.go

---- shaper.go ---
package interfaces

type Shaper interface{

    Area() int

}

如何确保rectangle.go实现整形器界面? 我明白go隐式实现接口,这是否意味着rectangle.go会自动实现shaper.go,即使它位于不同的包中?

我尝试过如下,但是当我运行gofmt工具时,它会删除导入,因为它未被使用。

--- rectangle.go ---
package shapes

import "gitlab.com/myproject/interfaces"

type rectangle struct{

  length int
  width int
}

func (r rectangle) Area() int {
 return r.length * r.width
}

提前致谢。

2 个答案:

答案 0 :(得分:13)

关于接口有一个很好的section in the go wiki

  

Go接口通常属于使用接口类型值的包,而不是实现这些值的包。实现包应该返回具体的(通常是指针或结构)类型:这样,新方法可以添加到实现中而无需进行大量重构。

这也有一个优点,它减少了包之间的耦合(通过不强迫任何人只为接口导入你的包),它通常会导致更小的接口(通过允许人们只消耗你接口的一部分接口)已建成。)

如果您是新手,我强烈建议您阅读" Go Code Review Comments" wiki文章我链接了,如果你还有更多时间Effective Go。快乐的黑客!

答案 1 :(得分:0)

我们假设你有一个使用Shaper的函数。您可以使用rectangle测试函数,并确保实现:

func DoStuff(s Shaper) {
    s.Area()
}

func TestDoStuff(t *testing.T) {
    var s Shaper = rectangle{length: 5, width: 3}
    DoStuff(s)
    // assertion
}

如果rectangle未实现Shaper,您将收到如下错误:

cannot use rectangle literal (type rectangle) as type Shaper in assignment:
rectangle does not implement Shaper (missing Area method)

Effective Go

Interfaces in Go provide a way to specify the behavior of an object: if something can do this, then it can be used here.