如何将 Flask 中的数据发送到另一个页面?

Gof*_*tty 6 python flask

我正在使用Flask制作订票应用程序。但是现在我对如何将数据从一个页面发送到另一个页面有点困惑,就像这段代码:

@app.route('/index', methods = ['GET', 'POST'])
def index():
    if request.method == 'GET':
        date = request.form['date']
        return redirect(url_for('main.booking', date=date))
    return render_template('main/index.html')


@app.route('/booking')
def booking():
    return render_template('main/booking.html')
Run Code Online (Sandbox Code Playgroud)

date变量是来自表单的请求,现在我想将date数据发送到booking函数。什么是这个目的的术语..?

ars*_*sho 7

get从一条路由到另一条路由的请求可以传递数据。

您几乎可以datebooking路由中获取提交的值。

app.py

from flask import Flask, render_template, request, jsonify, url_for, redirect

app = Flask(__name__)

@app.route('/', methods = ['GET', 'POST'])
def index():
    if request.method == 'POST':
        date = request.form.get('date')
        return redirect(url_for('booking', date=date))
    return render_template('main/index.html')


@app.route('/booking')
def booking():
    date = request.args.get('date', None)
    return render_template('main/booking.html', date=date)    

if __name__ == '__main__':
    app.run(debug=True)
Run Code Online (Sandbox Code Playgroud)

main/index.html

<html>
  <head></head>
  <body>
    <h3>Home page</h3>
    <form action="/" method="post">
      <label for="date">Date: </label>
      <input type="date" id="date" name="date">
      <input type="submit" value="Submit">
    </form>
  </body>
</html>
Run Code Online (Sandbox Code Playgroud)

main/booking.html

<html>
  <head></head>
  <body>
    <h3>Booking page</h3>
    <p>
      Seleted date: {{ date }}
    </p>
  </body>
</html>
Run Code Online (Sandbox Code Playgroud)

输出:

回家路线用表格提交日期

回家路线

获取预订路线中的日期

获取预订路线中的日期

缺点:

  • 这些值(例如date:)作为 URL 参数从一个路由传递到另一个路由。
  • 任何有 get 请求的人都可以访问第二部分(例如booking路由)。

备择方案:

  • 按照@VillageMonkey 的建议使用会话存储。
  • 使用 Ajax 来简化多部分表单。