Flask 教程

original icon
版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://www.knowledgedict.com/tutorial/flask-cookies.html

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/

设置 cookie 的结果如下所示 -

重读 cookie 的输出如下所示 -


我们已经看到,可以在 URL 规则中指定 http 方法。URL 映射的函数接收到的表单数据可以以字典对象的形式收集,并将其转发给模板以在相 ...
Django和Flask都是用于构建Web应用程序的PythonWeb框架,但它们在设计哲学、功能和用途上有一些明显的区别。学习曲线和开发速 ...
Flask 可以以 HTML 形式返回绑定到某个 URL 的函数的输出。例如,在以下脚本中,hello()函数将使用附加的<h1>标记呈现‘ ...
Flask 是一个用 Python 编写的轻量级 Web 应用程序框架。Flask 是由一个名字叫作 Armin Ronacher(他也是 ...
Django异步处理的方法Django是一个流行的PythonWeb框架,支持多种方式来实现异步处理。示例代码:在上面的示例中,我们定义了一 ...