如何检查值是否实现了接口

时间:2018-06-06 16:34:05

标签: go

我想通过特定方式比较我的类型。为此,我为每种类型创建了函数MyType.Same(other MyType) bool

在某些泛型函数中,我想检查参数是否具有“Same”函数,如果是则调用它。

如何针对不同类型以通用方式进行此操作?

type MyType struct {
   MyField string
   Id string // ignored by comparison
}

func (mt MyType) Same(other MyType) bool {
    return mt.MyField == other.MyField
}

// MyOtherType... Same(other MyOtherType)


type Comparator interface {
    Same(Camparator) bool // or Same(interface{}) bool
}

myType = new(MyType)
_, ok := reflect.ValueOf(myType).Interface().(Comparator) // ok - false

myOtherType = new(myOtherType)
_, ok := reflect.ValueOf(myOtherType).Interface().(Comparator) // ok - false

1 个答案:

答案 0 :(得分:6)

这些类型不满足Comparator接口。类型具有Same方法,但这些方法没有参数类型Comparator。参数类型必须匹配才能满足接口。

更改方法和接口以采用相同的参数类型。使用类型断言来检查接收者和参数是否具有相同的类型,并将参数作为接收者的类型。

 type Comparator interface {
    Same(interface{}) bool
 }

func (mt MyType) Same(other interface{}) bool {
    mtOther, ok := other.(MyType)
    if !ok {
        return false
    }
    return return mt.MyField == mtOther.MyField
}

使用以下内容比较两个值:

func same(a, b interface{}) bool {
  c, ok := a.(Comparator)
  if !ok {
     return false
  }
  return c.Same(b)
}

如果应用程序使用的类型具有Compare方法,则无需声明Comparator接口或使用前一段代码中的same函数。例如,以下内容不需要Comparator接口:

var mt MyType
var other interface{}

eq := mt.Same(other)