登录
首页 >  Golang >  Go问答

无法在 Golang 中读取 cookie(路由器:chi)

来源:stackoverflow

时间:2024-03-16 21:30:28 370浏览 收藏

在使用 chi 路由器的 Go 应用程序中,遇到无法读取已设置 cookie 的问题。问题函数 validateaccesstoken() 始终返回错误,表示未找到 access_token cookie。经过调查,发现问题出在 cookie 路径未显式设置为“/”,导致浏览器无法从其他路径发送 cookie。将 cookie 路径修改为“/”后,问题得到解决,validateaccesstoken() 函数能够成功读取 cookie。

问题内容

我正在为todolist应用程序开发rest api(不是来自教程),并且我已经成功实现了身份验证,但是我的一个辅助函数似乎无法读取明显存在的cookie,这是该函数:

// jwt is imported from the https://github.com/dgrijalva/jwt-go package
func validateaccesstoken(w http.responsewriter, r *http.request) uuid.uuid {
    jwtsecret, exists := os.lookupenv("jwt_secret")
    if !exists {
        w.writeheader(500)
        w.write([]byte(`{"message":{"error":"fatal internal error occurred"}}`))
        panic(errors.new("jwt_secret environment variable not set"))
    }
    // get access token and then validate it
    at, err := r.cookie("access_token")
    if err == http.errnocookie {
        w.writeheader(401)
        w.write([]byte(`{"message":{"error":"access_token cookie not found"}}`)) // this error is always returned when i attempt to use the handler that uses this function
        return uuid.nil
    }
    t := at.value
    token, err := jwt.parsewithclaims(t, &models.userclaims{}, func(token *jwt.token) (interface{}, error) {
        return []byte(jwtsecret), nil
    })

    if claims, ok := token.claims.(*models.userclaims); ok && token.valid {
        return claims.id
    }
    w.writeheader(401)
    w.write([]byte(`{"message":{"error":"access_token invalid"}}`))
    return uuid.nil
}

这是设置 cookie 的代码的相关部分:

// login handles the login route
func login(w http.responsewriter, r *http.request) {
    //...
    // construct cookies and then set them
    rtcookie := http.cookie{
        name:    "refresh_token",
        value:   *rt,
        expires: time.now().add(time.nanosecond * time.duration(sessionlifenanos)),
    }
    atcookie := http.cookie{
        name:    "access_token",
        value:   *at,
        expires: time.now().add(time.minute * 15),
    }
    http.setcookie(w, &rtcookie)
    http.setcookie(w, &atcookie)
    w.write([]byte(`{"message":"logged in successfully :)"}`))
}

这里是使用 validateaccesstoken() 的地方以及它失败的地方(uuid 是“github.com/google/uuid”包):

func createlist(w http.responsewriter, r *http.request) {
    // li will be used to store the decoded request body
    var li models.listinput
    // listid will be used to store the returned id after inserting
    var listid uuid.uuid
    userid := validateaccesstoken(w, r)
    fmt.println(userid.string())
    if userid == uuid.nil {
        return
    }
    //...
}

此外,每当我在邮递员中使用登录路由后进行检查时,所有 cookie 都会发送到 cookie jar 中(并且“access_token”cookie 不会过期),并且也具有正确的外观值。我很困惑为什么 validateaccesstoken() 函数找不到那里的 cookie,这里还有 serve() 函数,它在 main() 中调用:

func serve() {
    // Initialise new router
    r := chi.NewRouter()
    // Some recommended middlewares
    r.Use(middleware.RequestID)
    r.Use(middleware.RealIP)
    r.Use(middleware.Logger)
    r.Use(middleware.Recoverer)
    // Cors options
    r.Use(cors.Handler(cors.Options{
        AllowedOrigins:   []string{"*"},
        AllowedHeaders:   []string{"*"},
        AllowedMethods:   []string{"GET", "POST", "PUT", "DELETE", "OPTIONS"},
        ExposedHeaders:   []string{"Content-Type", "Set-Cookie", "Cookie"},
        AllowCredentials: true,
        MaxAge:           300,
    }))
    // API routes
    r.Route("/api", func(r chi.Router) {
        r.Route("/users", func(r chi.Router) {
            r.Post("/", handlers.CreateUser)
            r.Post("/login", handlers.Login)
        })
        r.Route("/lists", func(r chi.Router) {
            r.Post("/", handlers.CreateList)
        })
    })
    // Listen on port 5000 and log any errors
    log.Fatal(http.ListenAndServe("0.0.0.0:5000", r))
}

我非常感谢任何提供帮助的尝试,并且我对这个糟糕的问题表示歉意,我有点急于完成这个问题。


解决方案


应用程序隐式地将 cookie 路径设置为登录处理程序路径。通过将 cookie 路径显式设置为“/”来修复。

rtcookie := http.cookie{
    name:    "refresh_token",
    path:    "/", // <--- add this line
    value:   *rt,
    expires: time.now().add(time.nanosecond * time.duration(sessionlifenanos)),
}
atcookie := http.cookie{
    name:    "access_token",
    path:    "/", // <--- add this line.
    value:   *at,
    expires: time.now().add(time.minute * 15),
}

我不确定,但我认为该问题可能是由于 samesite cookie 策略而出现的。 如果您使用现代浏览器版本从在不同端口上运行的前端测试程序,则浏览器可能不会发送 cookie,因为它们没有 SameSite attribute

尝试将您的代码更改为:

rtCookie := http.Cookie{
        Name:    "refresh_token",
        Value:   *rt,
        SameSite: http.SameSiteNoneMode,
        Expires: time.Now().Add(time.Nanosecond * time.Duration(sessionLifeNanos)),

    }

好了,本文到此结束,带大家了解了《无法在 Golang 中读取 cookie(路由器:chi)》,希望本文对你有所帮助!关注golang学习网公众号,给大家分享更多Golang知识!

声明:本文转载于:stackoverflow 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>