golang - map中的函数是<nil> </nil>

时间:2015-01-10 03:59:12

标签: go

我正在尝试在GO中构建一个简单的路由器,我在一个结构上有一个get方法应该将回调传递给Get路由映射,并将url作为键,似乎fmt.Println(urlCallback)正在返回一个零值并导致运行时恐慌,如果我试图调用它,来自javascript背景我只是想抓住指针之类的东西,并觉得它可能与此有关,如果有人可以告诉我为什么传递函数是零,这将是伟大的。

这是我的“路由器”包。

package Router

import (
    "fmt"
    "net/http"
    "net/url"
    "log"
)

type Res http.ResponseWriter
type Req *http.Request

type RouteMap map[*url.URL]func(Res, Req) 
type MethodMap map[string]RouteMap

type Router struct {
    Methods MethodMap
}

func (router *Router) Get(urlString string, callback func(Res, Req)) {
    parsedUrl, err := url.Parse(urlString)

    if(err != nil) {
        panic(err)
    }

    fmt.Println(parsedUrl)

    router.Methods["GET"][parsedUrl] = callback
}

func (router *Router) initMaps() {
    router.Methods = MethodMap{}
    router.Methods["GET"] = RouteMap{}
}

func (router Router) determineHandler(res http.ResponseWriter, req *http.Request) {
    fmt.Println(req.URL)
    fmt.Println(req.Method)

    methodMap := router.Methods[req.Method]
    urlCallback := methodMap[req.URL]

    fmt.Println(methodMap)
    fmt.Println(urlCallback)
}

func (router Router) Serve(host string, port string) {
    fullHost := host + ":" + port

    fmt.Println("Router is now serving to:" + fullHost)
    http.HandleFunc("/", router.determineHandler)

    err := http.ListenAndServe(fullHost, nil)

    if err == nil {
        fmt.Println("Router is now serving to:" + fullHost)
    } else {
        fmt.Println("An error occurred")
        log.Fatal(err)
    }
}


func NewRouter() Router {
    newRouter := Router{}
    newRouter.initMaps()

    return newRouter
}

和我的主人。

package main

import (
    "./router"
    "fmt"
)

func main() {
    router := Router.NewRouter()

    router.Get("/test", func(Router.Res, Router.Req) {
        fmt.Println("In test woohooo!")
    })

    router.Serve("localhost", "8888")
}

1 个答案:

答案 0 :(得分:6)

您正在使用*URL.url个对象作为地图密钥。由于两个不同的对象不同,因此无法再次访问该路径的密钥。这太恐慌了,因为

urlCallback := methodMap[req.URL]

不是现有密钥,因此您访问的是nil值。在这种情况下,您可能想要做的是使用Path对象的URL.url属性。

所以你有:

type RouteMap map[string]func(Res, Req)

Get()

router.Methods["GET"][parsedUrl.Path] = callback

对于determineRouter(),您可以这样做:

urlCallback, exists := methodMap[req.URL.Path]
if exists != false {
    urlCallback(res, req)
}

这会在尝试调用密钥之前添加一个检查以查看密钥是否存在。