3

我正在尝试在 HTML 页面上设置 cookie

 func testCookie(c *gin.Context) {
    c.SetCookie("test1", "testvalue", 10, "/", "", true, true)
    c.HTML(200, "dashboard", gin.H{
        "title":    "Dashboard",
        }
    }

这应该在 HTML 页面上设置了 cookie,但它没有。我的服务器正在运行以服务 https 请求。我不知道为什么我不能在这里设置 cookie。

4

2 回答 2

2

添加到上面的评论尝试使用

c.SetCookie("cookieName", "name", 10, "/", "yourDomain", true, true)

例子

c.SetCookie("gin_cookie", "someName", 60*60*24, "/", "google.com", true, true)
于 2019-04-08T11:23:03.230 回答
1

SetCookie()在 ' 的标头上设置 cookie,ResponseWriter因此您可以在后续请求中读取它的值,可以使用Request对象的Cookie()方法读取它。

这是相同的相关代码给你一个想法:

func (c *Context) SetCookie(
    name string,
    value string,
    maxAge int,
    path string,
    domain string,
    secure bool,
    httpOnly bool,
) {
    if path == "" {
        path = "/"
    }
    http.SetCookie(c.Writer, &http.Cookie{
        Name:     name,
        Value:    url.QueryEscape(value),
        MaxAge:   maxAge,
        Path:     path,
        Domain:   domain,
        Secure:   secure,
        HttpOnly: httpOnly,
    })
}

func (c *Context) Cookie(name string) (string, error) {
    cookie, err := c.Request.Cookie(name)
    if err != nil {
        return "", err
    }
    val, _ := url.QueryUnescape(cookie.Value)
    return val, nil
}

更新

您将无法访问页面中的 cookie,因为您传递HttpOnly的是true. 当此设置为 true 时,只有服务器有权访问 cookie,并且您无法使用 Javascript 在前端获取它们的值。

于 2016-11-30T12:13:54.513 回答