我有一个Cells包含多种方法的接口
type Cells interface{
Len() int
//....
}
具体实现有StrCells、IntCells、 、FloatCells,BoolCells均实现了上述方法。
例如:
type StrCells []string
func (sC StrCells) Len() int {return len(sC)}
//...
type IntCells []int
func (iC IntCells) Len() int {return len(iC)}
//...
//....
对于两种具体类型 -IntCells和FloatCells- 我想实现仅适用于这些类型的特定功能。
我创建了一个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{}。但是,我无法使该功能正常工作。
郎朗坤
相关分类