在goLang中使用函数指针值声明映射

时间:2014-01-28 21:24:15

标签: map go function-pointers

我想声明一个map,看起来像这样,所以我可以将各种init函数映射到initType

func makeMap(){

    m := make(map[initType]&InitFunc)
    //How should the value declaration be set up for this map?

}


type initType int 

const(
    A initType = iota
    B
    C
    D
)


func init(aInitType initType){
    doStuff(aInitType)

}


func init(aInitType initType){
    doOtherStuff(aInitType)

}


func init(aInitType initType){
    doMoreStuff(aInitType)

}

如何声明函数指针类型(我在示例中调用了& InitFunc,因为我不知道如何操作)所以我可以将它用作Map中的值?

1 个答案:

答案 0 :(得分:5)

与C不同,实际上并不需要函数的“指针”,因为在Go中,函数是引用类型,类似于切片,贴图和通道。此外,地址运算符&生成指向值的指针,但要声明指针类型,请使用*。

您似乎希望您的InitFunc采用单个InitType并且不返回任何值。在这种情况下,您将其声明为:

type InitFunc func(initType)

现在,您的地图初始化可能只是:

m := make(map[initType]InitFunc)

一个完整的例子是(http://play.golang.org/p/tbOHM3GKeC):

package main

import "fmt"

type InitFunc func(initType)
type initType int

const (
    A initType = iota
    B
    C
    D
    MaxInitType
)

func Init1(t initType) {
    fmt.Println("Init1 called with type", t)
}

var initFuncs = map[initType]InitFunc{
    A: Init1,
}

func init() {
    for t := A; t < MaxInitType; t++ {
        f, ok := initFuncs[t]
        if ok {
            f(t)
        } else {
            fmt.Println("No function defined for type", t)
        }
    }
}

func main() {
    fmt.Println("main called")
}

这里,它循环遍历每个initType,并调用适用的函数(如果已定义)。