Flask Cookies處理

Cookie以文本文件的形式存儲在客戶端計算機上。 其目的是記住和跟蹤與客戶使用有關的數據,以獲得更好的訪問體驗和網站統計。

Request對象包含一個cookie的屬性。 它是所有cookie變量及其對應值的字典對象,客戶端已發送。 除此之外,cookie還會存儲其到期時間,路徑和站點的域名。

在Flask中,cookies設置在響應對象上。 使用make_response()函數從視圖函數的返回值中獲取響應對象。 之後,使用響應對象的set_cookie()函數來存儲cookie。

重讀cookie很容易。 可以使用request.cookies屬性的get()方法來讀取cookie。

在下面的Flask應用程序中,當訪問URL => / 時,會打開一個簡單的表單。

@app.route('/')
def index():
    return render_template('index.html')

這個HTML頁面包含一個文本輸入,完整代碼如下所示 -

<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>Flask Cookies示例</title>
</head>
   <body>

      <form action = "/setcookie" method = "POST">
         <p><h3>Enter userID</h3></p>
         <p><input type = 'text' name = 'name'/></p>
         <p><input type = 'submit' value = '登錄'/></p>
      </form>

   </body>
</html>

表單提交到URL => /setcookie。 關聯的視圖函數設置一個Cookie名稱爲:userID,並的另一個頁面中呈現。

@app.route('/setcookie', methods = ['POST', 'GET'])
def setcookie():
   if request.method == 'POST':
        user = request.form['name']

        resp = make_response(render_template('readcookie.html'))
        resp.set_cookie('userID', user)

        return resp

readcookie.html 包含超鏈接到另一個函數getcookie()的視圖,該函數讀回並在瀏覽器中顯示cookie值。

@app.route('/getcookie')
def getcookie():
    name = request.cookies.get('userID')
    return '<h1>welcome '+name+'</h1>'

完整的應用程序代碼如下 -

from flask import Flask
from flask import render_template
from flask import request
from flask import make_response


app = Flask(__name__)

@app.route('/')
def index():
    return render_template('index.html')

@app.route('/setcookie', methods = ['POST', 'GET'])
def setcookie():
    if request.method == 'POST':
        user = request.form['name']

        resp = make_response(render_template('readcookie.html'))
        resp.set_cookie('userID', user)
        return resp

@app.route('/getcookie')
def getcookie():
    name = request.cookies.get('userID')
    print (name)
    return '<h1>welcome, '+name+'</h1>'

if __name__ == '__main__':
    app.run(debug = True)

運行該應用程序並訪問URL => http://localhost:5000/
Flask
設置cookie的結果如下所示 -
Flask

重讀cookie的輸出如下所示 -
Flask