最简单的hello world
#!/usr/bin/env python # encoding: utf-8 from flask import Flask app = Flask(__name__) @app.route('/') def index(): return 'hello world' if __name__ == '__main__': app.run(debug=True) #app.run(host='127.0.0.1', port=8000)
之后,访问http://localhost:5000
支持post/get提交
@app.route('/', methods=['GET', 'POST'])
多个url指向
@app.route('/') @app.route('/index')
不管post/get使用统一的接收
from flask import request args = request.args if request.method == 'GET' else request.form a = args.get('a', 'default')
处理json请求
request的header中
"Content-Type": "application/json"
处理时:
data = request.get_json(silent=False)
获取post提交中的checkbox
{%for page in pages %} <tr><td><input type=checkbox name=do_delete value="{{ page['id'] }}"></td><td> {%endfor%} page_ids = request.form.getlist("do_delete")
使用url中的参数
@app.route('/query/<qid>/') def query(qid): pass
在request开始结束dosomething
一般可以处理数据库连接等等
from flask import g app = ..... @app.before_request def before_request(): g.session = create_session() @app.teardown_request def teardown_request(exception): g.session.close()
注册Jinja2模板中使用的过滤器
@app.template_filter('reverse') def reverse_filter(s): return s[::-1]
或者
def reverse_filter(s): return s[::-1] app.jinja_env.filters['reverse'] = reverse_filter
可以这么用
def a():... def b():... FIL = {'a': a, 'b':b} app.jinja_env.filters.update(FIL)
注册Jinja2模板中使用的全局变量
JINJA2_GLOBALS = {'MEDIA_PREFIX': '/media/'} app.jinja_env.globals.update(JINJA2_GLOBALS)
定义应用使用的template和static目录
app = Flask(__name__, template_folder=settings.TEMPLATE_FOLDER, static_folder = settings.STATIC_PATH)
使用Blueprint
from flask import Blueprint bp_test = Blueprint('test', __name__) #bp_test = Blueprint('test', __name__, url_prefix='/abc') @bp_test.route('/') -------- from xxx import bp_test app = Flask(__name__) app.register_blueprint(bp_test)
实例:
bp_video = Blueprint('video', __name__, url_prefix='/kw_news/video') @bp_video.route('/search/category/', methods=['POST', 'GET']) #注意这种情况下Blueprint中url_prefix不能以 '/' 结尾, 否则404
使用session
包装cookie实现的,没有session id
app.secret_key = 'PS#yio`%_!((f_or(%)))s'
然后
from flask import session session['somekey'] = 1 session.pop('logged_in', None) session.clear() #过期时间,通过cookie实现的 from datetime import timedelta session.permanent = True app.permanent_session_lifetime = timedelta(minutes=5)
反向路由
from flask import url_for, render_template @app.route("/") def home(): login_uri = url_for("login", next=url_for("home")) return render_template("home.html", **locals())
上传文件
<form action="/image/upload/" method="post" enctype="multipart/form-data"> <input type="file" name="upload" />
接收
f = request.files.get('upload') img_data = f.read()
直接返回某个文件
return send_file(settings.TEMPLATE_FOLDER + 'tweet/tweet_list.html')
请求重定向
flask.redirect(location, code=302) the redirect status code. defaults to 302.Supported codes are 301, 302, 303, 305, and 307. 300 is not supported. @app.route('/') def hello(): return redirect(url_for('foo')) @app.route('/foo') def foo(): return'Hello Foo!'
获取用户真实ip
从request.headers获取
real_ip = request.headers.get('X-Real-Ip', request.remote_addr)
或者, 使用werkzeug的middleware 文档
from werkzeug.contrib.fixers import ProxyFix app.wsgi_app = ProxyFix(app.wsgi_app) return json & jsonp import json from flask import jsonify, Response, json data = [] # or others return jsonify(ok=True, data=data) jsonp_callback = request.args.get('callback', '') if jsonp_callback: return Response( "%s(%s);" % (jsonp_callback, json.dumps({'ok': True, 'data':data})), mimetype="text/javascript" ) return ok_jsonify(data)
配置读取方法
# create our little application :) app = Flask(__name__) # Load default config and override config from an environment variable app.config.update(dict( DATABASE='/tmp/flaskr.db', DEBUG=True, SECRET_KEY='development key', USERNAME='admin', PASSWORD='default' )) app.config.from_envvar('FLASKR_SETTINGS', silent=True) ------------------ # configuration DATABASE = '/tmp/minitwit.db' PER_PAGE = 30 DEBUG = True SECRET_KEY = 'development key' # create our little application :) app = Flask(__name__) app.config.from_object(__name__) app.config.from_envvar('MINITWIT_SETTINGS', silent=True)
几个不常用的方法
from flask import abort, flash abort if not session.get('logged_in'): abort(401) flash flash('New entry was successfully posted')
异步调用
想在flask的一个请求中处理异步, 除了使用消息系统, 可以用简单的线程处理
from threading import Thread def async(f): def wrapper(*args, **kwargs): thr = Thread(target=f, args=args, kwargs=kwargs) thr.start() return wrapper @async def dosomething(call_args): print call_args in a request handler, call `dosomething` error handler @app.errorhandler(404) def not_found_error(error): return render_template('404.html'), 404 @app.errorhandler(500) def internal_error(error): db.session.rollback() return render_template('500.html'), 500
项目配置
1.直接
app.config['HOST']='xxx.a.com' print app.config.get('HOST')
2.环境变量
export MyAppConfig=/path/to/settings.cfg app.config.from_envvar('MyAppConfig')
3.对象
class Config(object): DEBUG = False TESTING = False DATABASE_URI = 'sqlite://:memory:' class ProductionConfig(Config): DATABASE_URI = 'mysql://user@localhost/foo' app.config.from_object(ProductionConfig) print app.config.get('DATABASE_URI') # mysql://user@localhost/foo
4.文件
# default_config.py HOST = 'localhost' PORT = 5000 DEBUG = True app.config.from_pyfile('default_config.py')
EG. 一个create_app方法
from flask import Flask, g def create_app(debug=settings.DEBUG): app = Flask(__name__, template_folder=settings.TEMPLATE_FOLDER, static_folder=settings.STATIC_FOLDER) app.register_blueprint(bp_test) app.jinja_env.globals.update(JINJA2_GLOBALS) app.jinja_env.filters.update(JINJA2_FILTERS) app.secret_key = 'PO+_)(*&678OUIJKKO#%_!(((%)))' @app.before_request def before_request(): g.xxx = ... #do some thing @app.teardown_request def teardown_request(exception): g.xxx = ... #do some thing return app app = create_app(settings.DEBUG) host=settings.SERVER_IP port=settings.SERVER_PORT app.run(host=host, port=port) change log: 2013-09-09 create 2014-10-25 update

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于Seaborn的相关问题,包括了数据可视化处理的散点图、折线图、条形图等等内容,下面一起来看一下,希望对大家有帮助。

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于进程池与进程锁的相关问题,包括进程池的创建模块,进程池函数等等内容,下面一起来看一下,希望对大家有帮助。

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于简历筛选的相关问题,包括了定义 ReadDoc 类用以读取 word 文件以及定义 search_word 函数用以筛选的相关内容,下面一起来看一下,希望对大家有帮助。

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于数据类型之字符串、数字的相关问题,下面一起来看一下,希望对大家有帮助。

VS Code的确是一款非常热门、有强大用户基础的一款开发工具。本文给大家介绍一下10款高效、好用的插件,能够让原本单薄的VS Code如虎添翼,开发效率顿时提升到一个新的阶段。

本篇文章给大家带来了关于Python的相关知识,其中主要介绍了关于numpy模块的相关问题,Numpy是Numerical Python extensions的缩写,字面意思是Python数值计算扩展,下面一起来看一下,希望对大家有帮助。

pythn的中文意思是巨蟒、蟒蛇。1989年圣诞节期间,Guido van Rossum在家闲的没事干,为了跟朋友庆祝圣诞节,决定发明一种全新的脚本语言。他很喜欢一个肥皂剧叫Monty Python,所以便把这门语言叫做python。


熱AI工具

Undresser.AI Undress
人工智慧驅動的應用程序,用於創建逼真的裸體照片

AI Clothes Remover
用於從照片中去除衣服的線上人工智慧工具。

Undress AI Tool
免費脫衣圖片

Clothoff.io
AI脫衣器

AI Hentai Generator
免費產生 AI 無盡。

熱門文章

熱工具

VSCode Windows 64位元 下載
微軟推出的免費、功能強大的一款IDE編輯器

WebStorm Mac版
好用的JavaScript開發工具

DVWA
Damn Vulnerable Web App (DVWA) 是一個PHP/MySQL的Web應用程序,非常容易受到攻擊。它的主要目標是成為安全專業人員在合法環境中測試自己的技能和工具的輔助工具,幫助Web開發人員更好地理解保護網路應用程式的過程,並幫助教師/學生在課堂環境中教授/學習Web應用程式安全性。 DVWA的目標是透過簡單直接的介面練習一些最常見的Web漏洞,難度各不相同。請注意,該軟體中

SecLists
SecLists是最終安全測試人員的伙伴。它是一個包含各種類型清單的集合,這些清單在安全評估過程中經常使用,而且都在一個地方。 SecLists透過方便地提供安全測試人員可能需要的所有列表,幫助提高安全測試的效率和生產力。清單類型包括使用者名稱、密碼、URL、模糊測試有效載荷、敏感資料模式、Web shell等等。測試人員只需將此儲存庫拉到新的測試機上,他就可以存取所需的每種類型的清單。

Atom編輯器mac版下載
最受歡迎的的開源編輯器