gf/g/net/ghttp/http_server_cookie.go

111 lines
2.7 KiB
Go
Raw Normal View History

2017-12-29 16:03:30 +08:00
// Copyright 2017 gf Author(https://gitee.com/johng/gf). All Rights Reserved.
//
// This Source Code Form is subject to the terms of the MIT License.
// If a copy of the MIT was not distributed with this file,
// You can obtain one at https://gitee.com/johng/gf.
package ghttp
import (
"sync"
2017-12-13 11:36:29 +08:00
"strings"
2017-12-13 14:13:36 +08:00
"net/http"
"time"
"gitee.com/johng/gf/g/os/gtime"
2017-12-13 11:36:29 +08:00
)
const (
2017-12-13 14:13:36 +08:00
gDEFAULT_PATH = "/" // 默认path
gDEFAULT_MAX_AGE = 86400 // 默认cookie有效期
)
// cookie对象
type Cookie struct {
mu sync.RWMutex // 并发安全互斥锁
data map[string]CookieItem // 数据项
2017-12-13 14:13:36 +08:00
domain string // 默认的cookie域名
request *ClientRequest // 所属HTTP请求对象
response *ServerResponse // 所属HTTP返回对象
}
// cookie项
type CookieItem struct {
value string
domain string
path string
2017-12-13 14:13:36 +08:00
expire int //过期时间
}
// 初始化cookie对象
func NewCookie(r *ClientRequest, w *ServerResponse) *Cookie {
2017-12-13 14:13:36 +08:00
c := &Cookie{
data : make(map[string]CookieItem),
2017-12-13 14:13:36 +08:00
domain : defaultDomain(r),
request : r,
response : w,
}
2017-12-13 14:13:36 +08:00
c.init()
return c
}
// 获取默认的domain参数
func defaultDomain(r *ClientRequest) string {
return strings.Split(r.Host, ":")[0]
}
// 从请求流中初始化
func (c *Cookie) init() {
c.mu.Lock()
defer c.mu.Unlock()
for _, v := range c.request.Cookies() {
c.data[v.Name] = CookieItem {
2017-12-13 14:13:36 +08:00
v.Value, v.Domain, v.Path, v.Expires.Second(),
}
}
}
2017-12-13 11:36:29 +08:00
// 设置cookie使用默认参数
func (c *Cookie) Set(key, value string) {
2017-12-13 14:13:36 +08:00
c.SetCookie(key, value, c.domain, gDEFAULT_PATH, gDEFAULT_MAX_AGE)
2017-12-13 11:36:29 +08:00
}
// 设置cookie带详细cookie参数
func (c *Cookie) SetCookie(key, value, domain, path string, maxage int) {
c.mu.Lock()
defer c.mu.Unlock()
c.data[key] = CookieItem {
2017-12-13 14:13:36 +08:00
value, domain, path, int(gtime.Second()) + maxage,
}
}
2017-12-13 14:13:36 +08:00
// 查询cookie
func (c *Cookie) Get(key string) string {
c.mu.RLock()
defer c.mu.RUnlock()
if r, ok := c.data[key]; ok {
2017-12-13 14:13:36 +08:00
if r.expire >= 0 {
return r.value
} else {
return ""
}
}
return ""
}
2017-12-13 14:13:36 +08:00
// 删除cookie的重点是需要通知浏览器客户端cookie已过期
func (c *Cookie) Remove(key string) {
2017-12-13 14:13:36 +08:00
c.SetCookie(key, "", c.domain, gDEFAULT_PATH, -86400)
}
// 输出到客户端
func (c *Cookie) Output() {
c.mu.RLock()
defer c.mu.RUnlock()
for k, v := range c.data {
2017-12-13 14:13:36 +08:00
if v.expire == 0 {
continue
}
http.SetCookie(c.response.ResponseWriter, &http.Cookie{Name: k, Value: v.value, Domain: v.domain, Path: v.path, Expires: time.Unix(int64(v.expire), 0)})
}
}