Golang接口方法链接

时间:2019-07-15 12:42:12

标签: go interface method-chaining

我有一个具有几种方法的接口Cells

type Cells interface{
    Len() int
    //....
}

此的具体实现是StrCellsIntCellsFloatCellsBoolCells,所有这些实现都实现了上述方法。

例如:

type StrCells []string
func (sC StrCells) Len() int {return len(sC)}
//...

type IntCells []int
func (iC IntCells) Len() int {return len(iC)}
//...

//....

对于两种具体类型-IntCellsFloatCells-我想实现仅适用于那些类型的特定功能。

我创建了一个嵌入NumCells的新界面Cells

type NumCells interface{
    Cells
    Add(NumCells) interface{} // should return either IntCells or FloatCells 
}

这是我对IntCells的Add()的实现:

func (iC IntCells) Add(nC NumCells) interface{} {
    if iC.Len() != nC.Len() {
        // do stuff
    }
    switch nC.(type) {
    case IntCells:
        res := make(IntCells, iC.Len())
        for i, v := range iC {
            res[i] = v + nC.(IntCells)[i]
        }
        return res
    case FloatCells:
        res := make(FloatCells, iC.Len())
        for i, v := range iC {
            res[i] = float64(v) + nC.(FloatCells)[i]
        }
        return res
    default:
        // to come
        return nil
    }

}

这是我的问题/问题

该函数有效,但是,我实际上希望该函数返回NumCells(即IntCells或FloatCells),所以我可以像这样进行方法链接

a := columns.IntCells(1, 2, 4, 2)
b := columns.IntCells{2, 3, 5, 3}
c := columns.FloatCells{3.1, 2, 2.4, 3.2}
d := a.Add(b).Add(c)

如果Add()返回interface{},则不可能。但是,我无法使该功能正常工作。

1 个答案:

答案 0 :(得分:2)

如果您以这种方式定义NumCells接口,它将起作用:

type NumCells interface{
    Cells
    Add(NumCells) NumCells // returns either IntCells or FloatCells
}

然后,您需要IntCellsFloatCells来实现Add并返回其中一种类型。

这里是一个工作场所,使用方法链接并打印结果:

https://play.golang.org/p/W7DzcB4A3NH

如评论中所述,在使用接口时,通常希望使每种类型都与其余实现无关,而只使用不带类型开关的接口。

Add的实现中避免这些类型切换的一种方法可能是在NumCells中添加另一种方法以将特定位置返回为float64

type NumCells interface{
    Cells
    Add(NumCells) NumCells // returns either IntCells or FloatCells
    GetCell(index int) float64
}

这样一来,您无需声明特定类型就可以获取值。

由于IntCells无法容纳float64的值,因此如果我们要避免FloatCells这样做,它仍需要创建一个IntCells才能返回它需要使用工厂模式或类似方式以某种方式抽象对象的创建。