我创建了一个简单的Flask WTF表单
class SequenceForm(Form):
sequence = StringField('Please enter a sequence in FASTA format', validators=[Required()])
submit = SubmitField('Submit')
我已经设置了一条让它出现在页面上的路线
@main.route('/bioinformatics')
def bioinformatics():
form = SequenceForm()
return render_template('bioinformatics.html', form=form)
一切都很好(到目前为止)。当我将浏览器指向foo / bioinformatics时,我看到一个呈现SequenceForm的页面。但是,当我点击“提交”按钮时,我总是被带回@ main.route定义的根页面(' /')。
如何让“提交”按钮将我带到其他地方?我想使用validate_on_submit()并对表单中输入的数据进行处理。
谢谢!
/ Michael Knudsen
更新(来自bioinformatics.html的代码)
{% extends "base.html" %}
{% import "bootstrap/wtf.html" as wtf %}
{% block title %}Bioinformatics{% endblock %}
{% block page_content %}
<div class="page-header">
<h1>Hello, Bioinformatics!</h1>
</div>
{{ wtf.quick_form(form) }}
{% endblock %}
答案 0 :(得分:3)
您需要在html中的表单中指定一个操作。
<form action="/url_which_handles_form_data" method="Post">
your code
</form>
如果您使用蓝图,请务必提供正确的路径
编辑:
从https://github.com/mbr/flask-bootstrap/blob/master/flask_bootstrap/templates/bootstrap/wtf.html我找到了这个部分。
{% macro quick_form(form,
action="",
method="post",
extra_classes=None,
role="form",
form_type="basic",
horizontal_columns=('lg', 2, 10),
enctype=None,
button_map={},
id="") %}
所以你可以打电话给
{{ wtf.quick_form(form, action="/fancy_url") }}
或
{{ wtf.quick_form(form, action=url_for("blueprint_name.fancy_url")) }}
取决于视图的位置。
答案 1 :(得分:1)
感谢Tim Rijavec和Zyber。我结合使用了您的建议来提出以下解决方案。
我为路线的方法添加了GET和POST
@main.route('/bioinformatics', methods=['GET', 'POST'])
def bioinformatics():
form = SequenceForm()
return render_template('bioinformatics.html', form=form)
然后我将wtf.quick_form调用包装在标签内。
<form action="{{ url_for('main.bioinformatics') }}" method="POST">
{{ wtf.quick_form(form) }}
</form>
现在一切都很美好。谢谢!