我正在学习Flask,有一个关于在路线上下文中使用变量的问题。例如,我的app.py:
from flask import Flask, render_template
app = Flask(__name__)
@app.route("/index")
def index():
a=3
b=4
c=a+b
return render_template('index.html',c=c)
@app.route("/dif")
def dif():
d=c+a
return render_template('dif.html',d=d)
if __name__ == "__main__":
app.run()
在route/dif下,变量d通过获取已计算的c和a的值来计算。如何在页面之间共享变量c和a,以便计算变量d并将其呈现给dif。html?
谢谢你
<罢工> 如果你不想使用 会话跨路由存储数据的一种方法是 (见下面的更新):
from flask import Flask, render_template
app = Flask(__name__)
class DataStore():
a = None
c = None
data = DataStore()
@app.route("/index")
def index():
a=3
b=4
c=a+b
data.a=a
data.c=c
return render_template("index.html",c=c)
@app.route("/dif")
def dif():
d=data.c+data.a
return render_template("dif.html",d=d)
if __name__ == "__main__":
app.run(debug=True)
注意:需要在访问/dif
之前访问/index
。
基于davidism的评论,上面的代码对生产不友好,因为它不是线程安全的。我已经用过程=10
测试了代码,并在/dif
中得到了以下错误:
因此,它证明了我们不应该在web应用程序中使用全局变量。
我们可以使用会话或数据库来代替全局变量。
在这个简单的场景中,我们可以使用会话来实现期望的结果。使用会话更新代码:
from flask import Flask, render_template, session
app = Flask(__name__)
# secret key is needed for session
app.secret_key = 'dljsaklqk24e21cjn!Ew@@dsa5'
@app.route("/index")
def index():
a=3
b=4
c=a+b
session["a"]=a
session["c"]=c
return render_template("home.html",c=c)
@app.route("/dif")
def dif():
d=session.get("a",None)+session.get("c",None)
return render_template("second.html",d=d)
if __name__ == "__main__":
app.run(processes=10,debug=True)
输出:
您可以使用flask中的变量,方法是将从HTML传递的变量写入URL中,
from flask import Flask, render_template
app = Flask(__name__)
@app.route("/index")
def index():
a=3
b=4
c=a+b
return render_template('index.html',c=c)
@app.route("<variable1>/dif/<variable2>")
def dif(variable1,variable2):
d=c+a
return render_template('dif.html',d=d)
if __name__ == "__main__":
您的html格式如下:as form:
<form action="/{{ variable1 }}/index/{{ variable2}}" accept-charset="utf-8" class="simform" method="POST"
作为href:
<a href="{{ url_for('index',variable1="variable1",variable2="variable2") }}"><span></span> link</a></li>