登录
首页 >  Golang >  Go问答

将多种类型合二为一,无需接口

来源:Golang技术栈

时间:2023-04-10 11:29:48 481浏览 收藏

各位小伙伴们,大家好呀!看看今天我又给各位带来了什么文章?本文标题《将多种类型合二为一,无需接口》,很明显是关于Golang的文章哈哈哈,其中内容主要会涉及到golang等等,如果能帮到你,觉得很不错的话,欢迎各位多多点评和分享!

问题内容

在 Go 项目中,我必须为实现名为 MyObject 的接口的类型定义两种不同的“形状”。形状本身是在外部库中定义的类型,不实现任何共享接口。

MyObject 看起来像

type MyObject interface {
    GetShape() *Shape //some unified return value
}

形状看起来像

type Circle struct {
    Radius int
    X int
    Y int
}

type Square struct {
   X int
   Y int
   W int
   H int
}

func NewCircle(x int, y int, radius int) Circle
func NewSquare(x int, y int, w int, h int) Square

我有一个实现 MyObject 的球和一个盒子:

type Ball struct {
    shape *Circle
}

type Box struct {
    shape *Square
}

func (b *Ball) GetShape() *Shape {
    return b.shape
}

func (s *Square) GetShape() *Shape {
    return s.shape
}

这对于接口来说似乎很简单——但我们不能在这种情况下使用一个,因为 Circle 和 Square 实现的方法没有相同,而且它们在我们正在使用的包之外。

对于使用圆形和方形的方法,我需要使用类似的方法

testCircleSquare(circle *Circle, square *Square) bool {}
testSquareSquare(square1 *Square, square2 *Square) bool {}

如何区分或使这两个对象更通用?到目前为止,我唯一的想法是将它们容器化为类似的类型

type Shape struct {
    circle *Circle
    square *Square
}

并检查 nil 圆形或方形值以确定要使用的值,但如果我添加更多形状,这似乎很笨拙且难以维护。

正确答案

@Adrian 已经解释了使用interface{}here有什么问题。

相反,使用适配器模式。创建您自己的形状界面并为预制形状制作适配器。

Shape 界面(它可能应该称为 Shape2D,因为 3D 形状的行为不同)可能看起来像这样。这为您提供了类型系统的优势,并具有统一的形状界面。

type Shape interface {
    Area() float32
    Perimeter() float32
    X() int
    Y() int
}

然后围绕现有对象创建适配器。不需要包装器,您可以为该类型定义别名。(external这里表示 Circle 和 Square 来自其他包)。

type ShapeCircle external.Circle

func (self ShapeCircle) Area() float32 {
    return math.Pi * float32(self.Radius) * float32(self.Radius)
}

...and so on...

type ShapeSquare external.Square

func (self ShapeSquare) Area() float32 {
    return float32(self.W) * float32(self.H)
}

...and so on...

现在您可以将圆形和方形对象 复制 到它们的形状适配器并将它们用作形状。

c := external.Circle{ Radius: 10, X: 0, Y: 0 }

shape := ShapeCircle(c)

fmt.Println(shape.Area())

你也可以走另一条路。

external.Function( external.Circle(shape) )

同样,这会创建一个副本。


或者,如果您不喜欢复制,您可以在 ShapeCircle 中嵌入 Circle,在 ShapeSquare 中嵌入 Square。

type ShapeCircle struct {
    external.Circle
}
type ShapeSquare struct {
    external.Square
}

然后你可以像以前一样使用 ShapeCircle,但你必须给它一个 Circle。可能想要创建新功能来解决这个问题。

c := ShapeCircle{
    Circle: external.Circle{ Radius: 10, X: 0, Y: 0 }
}

它可以用作形状。

fmt.Println(c.Area())

并且c.Circle可以用作圆。无需复制。

external.Function( c.Circle )

今天关于《将多种类型合二为一,无需接口》的内容介绍就到此结束,如果有什么疑问或者建议,可以在golang学习网公众号下多多回复交流;文中若有不正之处,也希望回复留言以告知!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>
评论列表