本文帶你快速了解 Flask,只需 5 分鐘即可完成一個基礎頁面的開發。廢話不多說,現在開始!
安裝pip install Flask
你的第一個應用
# 此檔案儲存為 hello.pyfrom flask import Flaskapp = Flask(__name__)@app.route('/')def hello_world(): return '歡迎來到Flask的世界!'@app.route('/hello')def hello(): return '你好,這是經典的Hello World!'
執行和訪問# Linux 系統:export FLASK_APP=hello.pypython -m flask run * Running on http://127.0.0.1:5000/# Windows 系統:set FLASK_APP=hello.pypython -m flask run --host=0.0.0.0* Running on http://127.0.0.1:5000/
新增 URL 引數
將引數新增到 URL 中,如下程式碼所示,經常使用的引數型別如下:
string 接受不帶斜槓的任何文字(預設)int 接受整數float 接受浮點數any 匹配提供的專案之一uuid 接受 uuid 字串@app.route('/user/<username>')def show_user(username): return '使用者 %s' % [email protected]('/post/<int:post_id>')def show_post(post_id): return '文章 %d' % post_id
HTTP 方法
Flask 可以處理很多 HTTP 方法,預設為 GET,示例如下:
還支援的方法有:POST、HEAD、PUT、DELETE、OPTION。
from flask import [email protected]('/login', methods=['GET', 'POST'])def login(): if request.method == 'POST': return '你訪問的是POST方法' else: return '你訪問的是非POST方法'
渲染模板
Flask 使用 Jinja2 模板引擎來處理 HTML 頁面,使用 render_template 方法來渲染,示例如下:
from flask import [email protected]('/hello/<name>')def hello(name): return render_template('hello.html', name=name)
這是一個示例模板:
<!doctype html><title>Hello from Flask</title>{% if name %} <h1>Hello {{ name }}!</h1>{% else %} <h1>Hello, World!</h1>{% endif %}
Flask 將在模板資料夾中查詢模板。因此,如果您的應用程式是一個模組,則該資料夾位於該模組旁邊,如果它是一個包,則它實際上位於您的包中:
模組示例:/application.py/templates /hello.html包示例:/application /__init__.py /templates /hello.html
POST請求引數
可使用 request.form['username'] 來獲取請求引數,示例如下:
from flask import [email protected]('/login', methods=['POST', 'GET'])def login(): error = None if request.method == 'POST': if login(request.form['username'], request.form['password']): return "登入成功" else: error = '使用者名稱或密碼錯誤!'
檔案上傳
在 HTML 表單上設定 enctype = "multipart / form-data" 屬性,Flask 程式碼如下:
from flask import [email protected]('/upload', methods=['GET', 'POST'])def upload_file(): if request.method == 'POST': f = request.files['file_name'] f.save('你的路徑/file_name.xxx')
操作 Cookie
from flask import [email protected]('/')def index():\t\t# 讀取 Cookie username = request.cookies.get('username')\t\t# 寫入 Cookie\t\tresp = make_response(render_template(...)) resp.set_cookie('username', '張三') return resp
重定向
使用 redirect 函式即可重定向,示例如下:
from flask import abort, redirect, [email protected]('/')def index(): return redirect(url_for('login'))
本文是 Flask 的超簡潔程式碼入門文章,如果你還有什麼不清楚的地方,歡迎和我交流!
最新評論