我知道有类似的问题已经得到解答。如果csrf_enabled
继承Form
且模板具有FlaskForm
,则form.hidden_tag()
现在不是问题。
我有以下烧瓶应用程序。
## Filenname: app.py
from flask import Flask, render_template, redirect, url_for, flash, request
from flask_wtf import FlaskForm
from wtforms import StringField, SubmitField, SelectField
from wtforms.validators import DataRequired
app = Flask(__name__)
app.config["SECRET_KEY"] = "secret"
class DataForm(FlaskForm):
name = StringField("Name", validators=[DataRequired()])
gender = SelectField("Gender", validators=None, choices=[(1, 'M'), (2, "F")])
submit = SubmitField("Submit", validators=None)
@app.route('/index', methods=["GET", "POST"])
def index():
form = DataForm(request.form)
print(form.validate_on_submit())
if form.validate_on_submit():
print(form.validate())
print(form.name)
flash("THIS IS FLASH")
title="hello"
return redirect(url_for('output'))
return render_template('index.html', form=form)
@app.route('/output', methods=["GET", "POST"])
def output():
title = "hello"
form = DataForm()
print(form.validate())
return render_template('output.html', title=title)
app.run(debug=False)
以下是index.html模板:
<html>
<body>
{% with messages = get_flashed_messages() %}
{{ messages }}
{% endwith %}
<form action="" method="GET">
{{ form.hidden_tag() }}
{{ form.name.label }}
{{ form.name() }}
{% for error in form.name.errors %}
<span style="color: red;">[{{ error }}]</span>
{% endfor %}
<hr>
{{ form.gender.label }}
{{ form.gender() }}
{{ form.submit() }}
</form>
</body>
</html>
点击submit
按钮后,执行永远不会进入if form.validate_on_submit()
功能的index
块。
我还删除了所有验证器,validate_on_submit
块内的代码仍然无法访问。打印form.validate_on_submit()
始终为假。
答案 0 :(得分:3)
所以有很多问题。
将您的选择更改为字符串:
choices=[('1', 'M'), ('2', "F")]
将您的表单方法更改为POST,因为validate_on_submit()
需要它:
<form action="" method="POST">
此外,要调试其他可能的错误(如CSRF),请将其添加到模板中:
{% if form.errors %}
{{ form.errors }}
{% endif %}
为我修复了你的代码。