或内部情况

时间:2017-04-28 23:25:36

标签: if-statement go logical-or

我有这段代码:

if ev, ok := evt.(*ATypeEvent); ok {
   //process ATypeEvent
} else if ev, ok := evt.(*BTypeEvent); ok {
   //process BTypeEvent
} else if ev, ok := evt.(*CTypeEvent); ok {
   //process CTypeEvent
}

现在碰巧我还有3个事件类型,这些事件类型都适合其他3个 - 我认为我需要一个OR。

但经过几次尝试,我还没有能够想出怎么做。 这不起作用:

if ev, ok := evt.(*ATypeEvent) || evt.(*XTypeEvent); ok {
   //process ATypeEvent and X
} else if ev, ok := evt.(*BTypeEvent)  || evt.(*YTypeEvent); ok {
   //process BTypeEvent and Y
} else if ev, ok := evt.(*CTypeEvent)  || evt.(*ZTypeEvent); ok {
   //process CTypeEvent and Z
}

也不像

if ev, ok := evt.(*ATypeEvent) || ev, ok := evt.(*XTypeEvent); ok {

也不是

if ev, ok := (evt.(*ATypeEvent) || evt.(*XTypeEvent ) ); ok {

如何正确完成?

2 个答案:

答案 0 :(得分:1)

使用Effective Go中所述的类型切换,这是一个强烈推荐的资源,供您阅读和理解Go中的许多内容:

switch v := ev.(type) {
case *ATypeEvent, *XTypeEvent:
    // process ATypeEvent and X
case *BTypeEvent, *YTypeEvent:
    // process BTypeEvent and Y
case *CTypeEvent, *ZTypeEvent:
    // process CTypeEvent and Z
default:
    // should never happen
    log.Fatalf("error: unexpected type %T", v)
}

至于为什么你的方法不起作用Go's || and && operators require values of type bool and result in a single value of type bool,所以分配给ev, ok不会按你的意愿工作,也不会使用类型断言作为布尔值。如果没有类型开关,您就会遇到类似这样的事情:

if ev, ok := evt.(*ATypeEvent); ok {
    //process ATypeEvent
} else if ev, ok := evt.(*XTypeEvent); ok {
    //process XTypeEvent
} else if ...

答案 1 :(得分:1)

另一个选择是在接口上为evt。

定义一个方法
func (a *ATypeEvent) Process(...) ... {
  //process ATypeEvent
}

func (x *XTypeEvent) Process(...) ... {
  //process XTypeEvent
}

func (b *BTypeEvent) Process(...) ... {
  //process BTypeEvent
}

等等。