Flask消息闪现

目录

  • Flask消息闪现

    • 简单的例子
    • 闪现消息的类别
    • 过滤闪现消息
    • Message Flashing
    • 参考

Flask消息闪现

一个好的应用和用户界面都需要良好的反馈。如果用户得不到足够的反馈,那么应用最终会被用户唾弃。

Flask 的闪现系统提供了一个良好的反馈方式。

闪现系统的基本工作方式是:

  • 在且只在下一个请求中访问上一个请求结束时记录的消息。
  • 一般我们 结合布局模板来使用闪现系统。
  • 注意,浏览器会限制 cookie 的大小,有时候网络服 务器也会。这样如果消息比会话 cookie 大的话,那么会导致消息闪现静默失败。

简单的例子

以下是一个完整的示例:

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

app = Flask(__name__)
app.secret_key = b‘_5#y2L"F4Q8z\n\xec]/‘

@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‘] != ‘secret‘:
            error = ‘Invalid credentials‘
        else:
            flash(‘You were successfully logged in‘)
            return redirect(url_for(‘index‘))
    return render_template(‘login.html‘, error=error)

上面py文件比如保存为flashtest.py

以下是实现闪现的 layout.html 模板:

注,html模板默认放在项目的templates目录下。

<!doctype html>
<title>My Application</title>
{% with messages = get_flashed_messages() %}
  {% if messages %}
    <ul class=flashes>
    {% for message in messages %}
      <li>{{ message }}</li>
    {% endfor %}
    </ul>
  {% endif %}
{% endwith %}
{% block body %}{% endblock %}

以下是继承自 layout.htmlindex.html 模板:

{% extends "layout.html" %}
{% block body %}
  <h1>Overview</h1>
  <p>Do you want to <a href="{{ url_for(‘login‘) }}">log in?</a>
{% endblock %}

以下是同样继承自 layout.htmllogin.html 模板:

{% extends "layout.html" %}
{% block body %}
  <h1>Login</h1>
  {% if error %}
    <p class=error><strong>Error:</strong> {{ error }}
  {% endif %}
  <form method=post>
    <dl>
      <dt>Username:
      <dd><input type=text name=username value="{{
          request.form.username }}">
      <dt>Password:
      <dd><input type=password name=password>
    </dl>
    <p><input type=submit value=Login>
  </form>
{% endblock %}

运行应用

>set FLASK_APP=flashtest.py
>python -m flask run

访问默认的127.0.0.1:5000可见闪现效果:

闪现消息的类别

闪现消息还可以指定类别,如果没有指定,那么缺省的类别为 ‘message‘ 。不同的 类别可以给用户提供更好的反馈。例如错误消息可以使用红色背景。(样式要自己根据class=类别额外去写好css)

使用 flash() 函数可以指定消息的类别:

flash(u‘Invalid password provided‘, ‘error‘)

注: 这一行是添加在 error= ‘Invalid credentials‘ 这一行之后:

@app.route(‘/login‘, methods=[‘GET‘,‘POST‘])
def login():
    error = None
    if request.method == ‘POST‘:
        if request.form[‘username‘] != ‘admin‘ or            request.form[‘password‘] != ‘secret‘:
            error= ‘Invalid credentials‘
            flash(u‘Invalid password provided‘, category=‘error‘)
        else:
            flash(‘You were successfully logged in‘)
            return redirect(url_for(‘index‘))
    return render_template(‘login.html‘,error=error)

模板中的 get_flashed_messages() 函数也应当返回类别,显示消息的循环 也要略作改变:

{% with messages = get_flashed_messages(with_categories=true) %}
  {% if messages %}
    <ul class=flashes>
    {% for category, message in messages %}
      <li class="{{ category }}">{{ message }}</li>
    {% endfor %}
    </ul>
  {% endif %}
{% endwith %}

上例展示如何根据类别渲染消息,还可以给消息加上前缀,如 <strong>{{ category }}:</strong>

<!DOCTYPE html>
<title>My Application</title>
{% with messages = get_flashed_messages(with_categories=True) %}
  {% if messages %}
    <ul class=flashes>
    {% for category, message in messages %}
      <li class="{{ category }}"><strong>{{ category }}:</strong>{{ message }}</li>
    {% endfor %}
    </ul>
  {% endif %}
{% endwith %}
{% block body %}{% endblock %}

注:虽然可以拿到类别,但是要依据类别来写li标签的样式,让错误信息显示是红色背景还要自己额外去写好样式哦。

过滤闪现消息

你可以视情况通过传递一个类别列表来过滤 get_flashed_messages() 的 结果。这个功能有助于在不同位置显示不同类别的消息。

{% with errors = get_flashed_messages(category_filter=["error"]) %}
{% if errors %}
<div class="alert-message block-message error">
  <a class="close" href="#">×</a>
  <ul>
    {% for msg in errors %}
    <li>{{ msg }}</li>
    {% endfor %}
  </ul>
</div>
{% endif %}
{% endwith %}

flask.flash()get_flashed_messages() 官网说明如下:

Message Flashing

  • flask.flash(message, category=‘message‘)

Flashes a message to the next request. In order to remove the flashed message from the session and to display it to the user, the template has to call get_flashed_messages().

Parameters:

message – the message to be flashed.

category – the category for the message.

The following values are recommended:

‘message‘ for any kind of message,

‘error‘ for errors,

‘info‘ for information messages and ‘warning‘ for warnings.

However any kind of string can be used as category.

  • flask.get_flashed_messages(with_categories=False, category_filter=[])

Pulls all flashed messages from the session and returns them. Further calls in the same request to the function will return the same messages. By default just the messages are returned, but when with_categories is set to True, the return value will be a list of tuples in the form (category, message) instead. Filter the flashed messages to one or more categories by providing those categories in category_filter. This allows rendering categories in separate html blocks. The with_categories and category_filter arguments are distinct: with_categories controls whether categories are returned with message text (True gives a tuple, where False gives just the message text). category_filter filters the messages down to only those matching the provided categories.

See 消息闪现 for examples.

Parameters:

with_categories – set to True to also receive categories.

category_filter – whitelist of categories to limit return values

从官网里可以看出,flash() 函数:

  • 第一个参数是你将要放进去的字符串消息,
  • 第二个默认参数category,代表消息的类别,默认为message(消息,普通)。

get_flashed_messages() 两个默认参数,第一个是类别控制开关,默认是False。

  • 类别控制是否带消息文本返回类别:

    • True给出一个tuple,元祖中给出两个值,分别是消息文本和类别;
    • False只给出消息文本,不返回类别。

文:铁乐与猫

2018-9-6

参考

Flask-消息队列

原文地址:https://www.cnblogs.com/tielemao/p/9613956.html

时间: 2024-11-09 06:29:08

Flask消息闪现的相关文章

雷林鹏分享:Flask消息闪现

一个基于GUI好的应用程序需要向用户提供交互的反馈信息. 例如,桌面应用程序使用对话框或消息框,JavaScript使用alert()函数用于类似的目的. 在Flask Web应用程序中生成这样的信息消息很容易. Flask框架的闪现系统使得可以在一个视图中创建一个消息并将其呈现在名为next的视图函数中. Flask模块包含flash()方法. 它将消息传递给下一个请求,该请求通常是一个模板. flash(message, category) 在这里 - message - 参数是要刷新的实际

Flask -- 消息闪现、错误处理

flash 可以在任何需要的地方添加,类似于print from flask import flash @app.route('/') def index(): flash('You are in home page now') return render_template('index.html') #index.html {% for message in get_flashed_messages() %} # 和session一样, 可以在模板中直接使用 {{ message }} {%

Flask - 消息闪现

1 @app.route('/') 2 def index(): 3 flash('33333') 4 flash('44444') 5 flash('55555') 6 flash('66666') 7 if 'username' in session: 8 return render_template('test.html') 9 10 return render_template('test.html') // test.html1 <body> 2 {% with messages =

python web开发-flask中消息闪现flash的应用

Flash中的消息闪现,在官方的解释是用来给用户做出反馈.不过实际上这个功能只是一个记录消息的方法,在某一个请求中记录消息,在下一个请求中获取消息,然后做相应的处理,也就是说flask只存在于两个相邻的请求中"闪现",第三次请求就不存在这个flash了. 下面我们用一个例子来说明一个是如何"闪"的. 首先引入flash和get_flashed_message方法 from flask import Flask,url_for,render_template,requ

消息闪现

消息闪现 放在ApplicationHelper.rb中.在页面面中 <%= nitice_message %> def notice_message flash_messages = [] flash.each do |type, message| type = :success if type.to_sym == :notice type = :danger if type.to_sym == :alert text = content_tag(:div, link_to(raw('<

第二篇 Flask基础篇之(闪现,蓝图,请求扩展,中间件)

本篇主要内容: 闪现 请求扩展 中间件 蓝图 写装饰器,常用 functools模块,帮助设置函数的元信息 import functools def wrapper(func): @functools.wraps(func) def inner(*args,**kwargs): return func(*args,**kwargs) return inner @wrapper def f1(): pass print(f1.__name__) # f1 续接第一篇 8.Flask之闪现 # 首先

【转】Flask快速入门

迫不及待要开始了吗?本页提供了一个很好的 Flask 介绍,并假定你已经安装好了 Flask.如果没有,请跳转到 安装 章节. 一个最小的应用 一个最小的 Flask 应用看起来会是这样: from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'Hello World!' if __name__ == '__main__': app.run() 把它保存为 hello.py 

Flask自带的常用组件介绍

Flask的优点是灵活小巧,三行代码即可运行一个web服务器,但基于Flask构建的功能并不比Django弱,关键就就是除了flask自带的基础功能外,还有丰富的组件进行支持,本文先对常用的自带组件进行简单的介绍.测试的Flask版本是0.12. Flask自带组件 在构建Flask应用导入的时候,通常是from flask import Flask的方式开始的,说明flask这个python package里面应该还藏了不少好东西,从源码来看看: from werkzeug.exception

flask学习总结

一.flask介绍 Flask是一个基于Python开发并且依赖jinja2模板和Werkzeug WSGI服务的一个微型框架,对于Werkzeug 本质是Socket服务端,其用于接收http请求并对请求进行预处理,然后触发Flask框架,开发人员基于 Flask框架提供的功能对请求进行相应的处理,并返回给用户,如果要返回给用户复杂的内容时,需要借 助jinja2模板来实现对模板的处理,即:将模板和数据进行渲染,将渲染后的字符串返回给用户浏览器. "微"(micro) 并不表示你需要