3

我想使用 python、html 和 javascript 构建一个桌面应用程序。到目前为止,我已经按照烧瓶上的 tuts 并有一个 hello world 工作示例。我现在应该怎么做才能让它工作?html 文件如何与它们下面的 python 脚本“对话”?

到目前为止,这是我的代码:

from flask import Flask, url_for, render_template, redirect
app = Flask(__name__)

@app.route('/hello/')
@app.route('/hello/<name>')
def hello(name=None):
    return render_template('hello.html', name=name)

@app.route('/')
def index():
    return redirect(url_for('init'))

@app.route('/init/')
def init():
    css = url_for('static', filename='zaab.css')
    return render_template('init.html', csse=css)

if __name__ == '__main__':
    app.run()
4

1 回答 1

3

您可以像在 Jinja 模板中一样使用 HTML 表单 - 然后在您的处理程序中使用以下内容:

from flask import Flask, url_for, render_template, redirect
from flask import request # <-- add this

# ... snip setup code ...

# We need to specify the methods that we accept
@app.route("/test-post", methods=["GET","POST"])
def test_post():
    # method tells us if the user submitted the form
    if request.method == "POST":
        name = request.form.name
        email = request.form.email
    return render_template("form_page.html", name=name, email=email)

如果您想使用GETinstaed ofPOST提交表单,您只需检查request.args而不是request.form(有关更多信息,请参阅flask.Request的文档)。但是,如果您打算对表单做很多事情,我建议您查看优秀的WTForms项目和Flask-WTForms 扩展

于 2012-07-12T19:44:16.890 回答