使用with获取烧瓶中的刷新消息

时间:2018-10-04 07:19:19

标签: python flask

我正在检查here中烧瓶烧瓶中闪烁的消息。

这是一个基本示例,其中使用模板文件( Index.html )提供初始链接,而另一个模板文件( Login.html )创建表单

文件为:

Login.html:

<!doctype html>
<html>
   <body>

      <h1>Login</h1>

      {% if error %}
      <p><strong>Error:</strong> {{ error }}
      {% endif %}

      <form action = "" method = post>
         <dl>
            <dt>Username:</dt>

            <dd>
               <input type = text name = username 
                  value = "{{request.form.username }}">
            </dd>

            <dt>Password:</dt>
            <dd><input type = password name = password></dd>
         </dl>
         <p><input type = submit value = Login></p>
      </form>

   </body>
</html>

Index.html:

<!doctype html>
<html>

   <head>
      <title>Flask Message flashing</title>
   </head>
   <body>

      {% with messages = get_flashed_messages() %}
         {% if messages %}
            <ul>
               {% for message in messages %}
               <li<{{ message }}</li>
               {% endfor %}
            </ul>
         {% endif %}
      {% endwith %}

      <h1>Flask Message Flashing Example</h1>
      <p>Do you want to <a href = "{{ url_for('login') }}">
         <b>log in?</b></a></p>

   </body>
</html>

Flash.py:

from flask import Flask, flash, redirect, render_template, request, url_for
app = Flask(__name__)
app.secret_key = 'random string'

@app.route('/')
def index():
   return render_template('index.html')

@app.route('/login', methods = ['GET', 'POST'])
def login():
   error = None

   if request.method == 'POST':
      if request.form['username'] != 'admin' or \
         request.form['password'] != 'admin':
         error = 'Invalid username or password. Please try again!'
      else:
         flash('You were successfully logged in')
         return redirect(url_for('index'))

   return render_template('login.html', error = error)

if __name__ == "__main__":
   app.run(debug = True)

让我感到困惑的部分位于 index.html 中。它使用with messages = get_flashed_messages()从会话中获取消息。我不完全理解为什么使用with?我知道with用于资源,文件,流等,以控制关闭过程(并在出现问题时不打开某些内容等)。在这种情况下,使用with访问的资源是什么?

我尝试将其删除(在这种情况下),并发生了错误:

  

jinja2.exceptions.TemplateSyntaxError:遇到未知标签   “消息”。

此外,来自programcreek.com的示例用例并未将withget_flashed_messages一起使用,那么情况如何?

2 个答案:

答案 0 :(得分:4)

Jinja模板不是Python。模板中的with不是Python上下文管理器,它只是引入了一个新范围;这段代码定义了一个新变量messages,该变量仅在endwith之前可见。

请参见the docs

答案 1 :(得分:-1)

尝试修复index.html

<!doctype html>
<html>

<head>
    <title>Flask Message flashing</title>
</head>
<body>

{% with messages = get_flashed_messages() %}
    {% if messages %}
        <ul>
            {% for message in messages %}
                <li>{{ message }}</li>
            {% endfor %}
        </ul>
    {% endif %}
{% endwith %}

<h1>Flask Message Flashing Example</h1>
<p>Do you want to <a href="{{ url_for('login') }}">
    <b>log in?</b></a></p>

</body>
</html>