我将使用 Go 构建一个 Web 服务器。现在,我想将会话 ID 返回给带有用户名和密码的用户登录。而且我认为我对登录程序没问题。用户每次想要发布数据时都会使用会话 ID。但是,在用户登录后,如果用户在 3 分钟内没有发送数据,我会尝试销毁使 session id 不再有效的 session。
那么当用户未在 3 分钟内发布数据时,如何使会话过期。(我将使用 beego,beego 会话超时,但确实提到超时取决于发布数据间隔)
谢谢。
您可以设置上次使用会话的时间。
假设 cookie 存储创建为
Store := sessions.NewCookieStore("some-32-bit-long-secret")
然后,您可以将当前时间存储到会话中:
// SetTime resets the activity time to the current time
func SetTime(w http.ResponseWriter, r *http.Request) error {
ssn, err := Store.Get(r, cookieKey)
if err != nil {
return err
}
b, err := json.Marshal(time.Now())
if err != nil {
return err
}
ssn.Values[timeKey] = b
return ssn.Save(r, w)
}
然后可以在会话中找到最后一次活动时间:
// GetTime retrieves the last activity time from the session
func GetTime(ssn *sessions.Session) (*time.Time, error) {
v := ssn.Values[timeKey]
tm := &time.Time{}
if b, ok := v.([]byte); ok {
err := json.Unmarshal(b, tm)
if err == nil {
return tm, nil
}
return nil, err
}
return nil, errors.New("Time missing")
}
接下来使用中间件函数来测试会话是否应该变为无效;如果没有,则重置活动时间:
func (cfg *Config) Timer(next http.HandlerFunc, d time.Duration) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
ssn, err := cfg.Store.Get(r, cookieKey)
if err != nil {
http.Error(w, "Internal Server Error", http.StatusInternalServerError)
return
}
if tm, err := GetTime(ssn); err == nil {
if time.Since(*tm) > d {
// invalidate user account in some way; it is assumed that the user
// info is stored in the session with the key value "userKey"
session.Values[userKey] = ""
session.Save(r, w) // should test for error
// do something for a signed off user, e.g.:
SignIn(w, r)
return
}
if err = SetTime(w, r); err == nil {
next(w, r)
return
}
}
http.Error(w, http.StatusText(http.StatusBadRequest), http.StatusBadRequest)
}
}
中间件可用于路由:
...
r := mux.NewRouter()
...
r.HandleFunc("/path", Timer(SomeHFunc, 3*time.Minute))
...