Files
2019-06-22 23:41:28 +08:00

121 lines
3.4 KiB
Markdown
Raw Permalink Blame History

This file contains ambiguous Unicode characters
This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.
# 14.2 Session 支援
第六章的時候我們介紹過如何在 Go 語言中使用 session也實現了一個 sessionMangerbeego 框架基於 sessionManager 實現了方便的 session 處理功能。
## session 整合
beego 中主要有以下的全域性變數來控制 session 處理:
```Go
//related to session
SessionOn bool // 是否開啟 session 模組,預設不開啟
SessionProvider string // session 後端提供處理模組,預設是 sessionManager 支援的 memory
SessionName string // 客戶端儲存的 cookies 的名稱
SessionGCMaxLifetime int64 // cookies 有效期
GlobalSessions *session.Manager //全域性 session 控制器
```
當然上面這些變數需要初始化值,也可以按照下面的程式碼來配合配置檔案以設定這些值:
```Go
if ar, err := AppConfig.Bool("sessionon"); err != nil {
SessionOn = false
} else {
SessionOn = ar
}
if ar := AppConfig.String("sessionprovider"); ar == "" {
SessionProvider = "memory"
} else {
SessionProvider = ar
}
if ar := AppConfig.String("sessionname"); ar == "" {
SessionName = "beegosessionID"
} else {
SessionName = ar
}
if ar, err := AppConfig.Int("sessiongcmaxlifetime"); err != nil && ar != 0 {
int64val, _ := strconv.ParseInt(strconv.Itoa(ar), 10, 64)
SessionGCMaxLifetime = int64val
} else {
SessionGCMaxLifetime = 3600
}
```
在 beego.Run 函式中增加如下程式碼:
```Go
if SessionOn {
GlobalSessions, _ = session.NewManager(SessionProvider, SessionName, SessionGCMaxLifetime)
go GlobalSessions.GC()
}
```
這樣只要 SessionOn 設定為 true那麼就會預設開啟 session 功能,獨立開一個 goroutine 來處理 session。
為了方便我們在自訂 Controller 中快速使用 session作者在`beego.Controller`中提供了如下方法:
```Go
func (c *Controller) StartSession() (sess session.Session) {
sess = GlobalSessions.SessionStart(c.Ctx.ResponseWriter, c.Ctx.Request)
return
}
```
## session 使用
透過上面的程式碼我們可以看到beego 框架簡單地繼承了 session 功能,那麼在專案中如何使用呢?
首先我們需要在應用的 main 入口處開啟 session
```Go
beego.SessionOn = true
```
然後我們就可以在控制器的相應方法中如下所示的使用 session 了:
```Go
func (this *MainController) Get() {
var intcount int
sess := this.StartSession()
count := sess.Get("count")
if count == nil {
intcount = 0
} else {
intcount = count.(int)
}
intcount = intcount + 1
sess.Set("count", intcount)
this.Data["Username"] = "astaxie"
this.Data["Email"] = "astaxie@gmail.com"
this.Data["Count"] = intcount
this.TplNames = "index.tpl"
}
```
上面的程式碼展示了如何在控制邏輯中使用 session主要分兩個步驟
1. 取得 session 物件
```Go
//取得物件,類似 PHP 中的 session_start()
sess := this.StartSession()
```
2. 使用 session 進行一般的 session 值操作
```Go
//取得 session 值,類似 PHP 中的$_SESSION["count"]
sess.Get("count")
//設定 session 值
sess.Set("count", intcount)
```
從上面程式碼可以看出基於 beego 框架開發的應用中使用 session 相當方便,基本上和 PHP 中呼叫`session_start()`類似。
## links
* [目錄](<preface.md>)
* 上一節:[靜態檔案支援](<14.1.md>)
* 下一節:[表單及驗證支援](<14.3.md>)