Flask中的特殊变量和方法
在Flask中,有一些特殊的变量和方法是可以在模板文件中直接访问的。
config 对象:
config 对象就是Flask的config对象,也就是 app.config 对象。
{{ config.SQLALCHEMY_DATABASE_URI }}
request 对象:
就是 Flask 中表示当前请求的 request 对象,request对象中保存了一次HTTP请求的一切信息。
request常用的属性如下:
属性 | 说明 | 类型 |
data | 记录请求的数据,并转换为字符串 | * |
form | 记录请求中的表单数据 | MultiDict |
args | 记录请求中的查询参数 | MultiDict |
cookies | 记录请求中的cookie信息 | Dict |
headers | 记录请求中的报文头 | EnvironHeaders |
method | 记录请求使用的HTTP方法 | GET/POST |
url | 记录请求的URL地址 | string |
files | 记录请求上传的文件 | * |
{{ request.url }}
url_for 方法:
url_for() 会返回传入的路由函数对应的URL,所谓路由函数就是被 app.route() 路由装饰器装饰的函数。如果我们定义的路由函数是带有参数的,则可以将这些参数作为命名参数传入。
{{ url_for('index') }}
{{ url_for('post', post_id=1024) }}
get_flashed_messages方法:
返回之前在Flask中通过 flash() 传入的信息列表。把字符串对象表示的消息加入到一个消息队列中,然后通过调用 get_flashed_messages() 方法取出。 存储的消息只会被使用一次,也就是可以用来做消息提示框的内容了。
from flask import flash
# 传参数至Flash方法
flash('闪现消息1')
flash('闪现消息2')
flash('闪现消息3')
{% for message in get_flashed_messages() %}
{{ message }}
{% endfor %}
看完了上面这些概念性的内容,下面来看看示例如下展示实操一下。
示例代码
1.编写视图函数
from flask import Flask, render_template, flash
app = Flask(__name__)
app.config["SECRET_KEY"] = "xhosd6f982yfhowefy29f"
@app.route("/tpl", methods=["GET", "POST"])
def tpl():
# 传参数至Flash方法
flash('闪现消息1')
flash('闪现消息2')
flash('闪现消息3')
return render_template("tpl.html")
@app.route('/hello1')
def hello1():
return render_template('hello1.html')
@app.route('/hello2')
def hello2():
return render_template('hello2.html')
if __name__ == '__main__':
app.run(debug=True)
2.编写模块页面tpl.html
span style="line-height: 26px;">html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Titletitle>
head>
<body>
<p>config 对象: {{ config.SECRET_KEY }} <br>p>
<p>request 对象: {{ request.url }} <br>p>
<p>
url_for 方法: <br>
{{ url_for('hello1') }} <br>
{{ url_for('hello2') }} <br>
p>
body>
html>
3.编写模板页面hello1.html
span style="line-height: 26px;">html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Titletitle>
head>
<body>
get_flashed_messages方法: <br>
{% for message in get_flashed_messages() %}
{{ message }}
{% endfor %}
body>
html>
4.编写模板页面hello2.html
span style="line-height: 26px;">html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Titletitle>
head>
<body>
get_flashed_messages方法: <br>
{% for message in get_flashed_messages() %}
{{ message }}
{% endfor %}
body>
html>
5.测试查看模板的直接使用对象,并且设置flash消息存储
访问 http://127.0.0.1:5000/tpl
- 访问hello1消费使用flash消息
7.刷新hello1或者访问hello2页面,查看flash消息是否存在
可以看到flash的消息只会显示一次,刷新或者访问其他视图的时候,只要被消费了就不会再出现了。
基于flash的这种特性,就跟Django中的messages一样,最适合用来做切换页面的消息提示框了。