如何在Go(非嵌入)

时间:2016-10-01 00:32:26

标签: arrays go struct slice

我是Golang的新手,在我参观了A Tour of Go之后,我正在努力创造自己的东西。

我想要什么

我想将不同类型的结构放入一个切片(或结构?),

所以我可以使用for循环将每个结构传递给函数

例如

在PHP中,我可以将我的类存储在一个数组中,并将每个类传递给foobar(),如下所示:

$classes = [$A, $B, $C, $D];  // $A, $B, $C, $D are classes (called `struct` in Golang).

foreach ($classes as $class)
    foobar($class);

我尝试了什么

我试图在Golang中做同样的事情,我希望它看起来像这样:

A{B{}, C{}, D{}}

由于我未能使用slice,我决定使用struct来保留structs

type A struct {
    B
    C
    D
}

type B struct {
    Date string
}

type C struct {
    Date string
}

type D struct {
    Date string
}

func main() {   
    // Using reflect to loop the A struct: 
    // http://stackoverflow.com/questions/18926303/iterate-through-a-struct-in-go
    v := reflect.ValueOf(A{})

    for i := 0; i < v.NumField(); i++ {
        foobar(v.Field(i).Interface()) // Passing each struct to the `foobar()` function
    }
}

但看起来我实际上是在嵌入而不是存储它们,请问有什么建议吗?

1 个答案:

答案 0 :(得分:2)

我认为界面{}就是你所追求的。例如:

type A struct {
    data string
}

type B struct {
     data int
}

func printData(s interface{}) {
     switch s.(type) {
         case A:
             fmt.Printf("A: %s\n", s.(A).data)
         case B:
             fmt.Printf("B: %d\n", s.(B).data)
     }
 }

 func main() {
     classes := []interface{}{A{data: "first"}, B{data: 2}, A{data: "third"}}
     for _, c := range classes {
         printData(c)
     }
 }

这可能就像你在go中“鸭子打字”一样接近。

虽然你的结构确实非常相似,但最好定义一个通用接口,并为每个结构实现该接口。以下是使用接口的相同示例:

type DataGetter interface {
    getDate() string
}

type A struct {
    data string
}

func (a A) getDate() string {
    return a.data
}

type B struct {
    data int
}

func (b B) getDate() string {
    return fmt.Sprintf("%d", b.data)
}

func printData(s DataGetter) {
    fmt.Printf("%s\n", s.getDate())
}

func main() {

    classes := []DataGetter{A{data: "first"}, B{data: 2}, A{data: "third"}}
    for _, c := range classes {
        printData(c)
    }
}