在 Go HTTP 处理程序中使用未导出的结构键获取上下文值时为 nil

Context value is nil when getting it with unexported struct key in Go HTTP handlers

在此感谢任何帮助!我确定我错过了一些非常基本的东西。

我遇到的问题是我试图在演示 Web 应用程序中从上下文中获取值,但收到错误消息:

2021/04/11 11:35:54 http: panic serving [::1]:60769: interface conversion: interface {} is nil, not []string

在我的主要功能中,我使用以下设置上下文:

package main

type ctxKey struct{}

func someHttpHandleFunc() {
  // .....
  ctx := context.WithValue(r.Context, ctxKey{}, matches[1:])
  route.handle(w, r.WithContext(ctx))
}

然后在我的处理程序中,我有以下内容:

package some_package

type ctxKey struct{}
func getField(r *http.Request, index int) string {
    fields := r.Context().Value(ctxKey{}).([]string)
    return fields[index]
}

我知道我遗漏了一些简单的东西,因为如果我尝试上面的代码并将我的 getField() 函数放在 package main 中,一切正常。

供参考,这是一个学习练习,我正在尝试自学 Go 路由。我知道有可用的路由包 - 但我的目标是学习。我正在尽力跟随 Different approaches to HTTP routing in Go. I have also read through Pitfalls of context values and how to avoid or mitigate them in Go。后者似乎直接解决了我遇到的问题,但我似乎无法根据那里的内容弄清楚如何解决它。

在不同包中定义的定义结构类型are different

package main

type ctxKey struct{}

的类型不同
package some_package

type ctxKey struct{}

为了更直观地理解,假设您要从第三个包中引用这些类型——让我们假设这些类型是导出的——您将必须导入相应的包并使用适当的选择器:

package baz

import (
   "myproject/foo"
   "myproject/some_package"
)

func doBaz() {
    foo := foo.CtxKey{}
    bar := some_package.CtxKey{}
}

现在,Value(key interface{}) 的实现使用比较运算符 == 来确定提供的键是否匹配:

func (c *valueCtx) Value(key interface{}) interface{} {
    if c.key == key {
        return c.val
    }
    // then it checks if the key exists on the parent
    return c.Context.Value(key)
}

这意味着类型也必须匹配。从规格来看,comparison operators

In any comparison, the first operand must be assignable to the type of the second operand, or vice versa.

并且在您的示例中,main 中声明的 ctxKey struct{} 显然不能分配给 some_package 中声明的 ctxKey struct{},反之亦然,因为它们的类型不同。

要解决您的错误,请确保设置和获取上下文值时使用的键类型相同。最好的方法,也是为了确保正确的封装,可能是从同一个包中设置和获取上下文值:

package some_ctx_helper_pkg

// unexported, to ensure encapsulation
type ctxKey struct{}

func Set(ctx context.Context, value interface{}) context.Context {
    return context.WithValue(ctx, ctxKey{}, value)
}

func Get(ctx context.Context) interface{} {
    return ctx.Value(ctxKey{})
}