<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
Flask是一個輕量級的基於Python的web框架。
本文適合有一定HTML、Python、網路基礎的同學閱讀。
這份檔案中的程式碼使用 Python 3 執行。
建議在 linux 下實踐本教學中命令列操作、執行程式碼。
通過pip3安裝Flask即可:
$ sudo pip3 install Flask
進入python互動模式看下Flask的介紹和版本:
$ python3 >>> import flask >>> print(flask.__doc__) flask ~~~~~ A microframework based on Werkzeug. It's extensively documented and follows best practice patterns. :copyright: © 2010 by the Pallets team. :license: BSD, see LICENSE for more details. >>> print(flask.__version__) 1.0.2
本節主要內容:使用Flask寫一個顯示”Hello World!”的web程式,如何設定、偵錯Flask。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
static
和templates
目錄是預設設定,其中static
用來存放靜態資源,例如圖片、js、css檔案等。templates
存放模板檔案。
我們的網站邏輯基本在server.py檔案中,當然,也可以給這個檔案起其他的名字。
在server.py中加入以下內容:
from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'Hello World!' if __name__ == '__main__': app.run()
執行server.py:
$ python3 server.py * Running on http://127.0.0.1:5000/
開啟瀏覽器存取http://127.0.0.1:5000/,瀏覽頁面上將出現Hello World!
。
終端裡會顯示下面的資訊:
127.0.0.1 - - [16/May/2014 10:29:08] "GET / HTTP/1.1" 200 -
變數app是一個Flask範例,通過下面的方式:
@app.route('/') def hello_world(): return 'Hello World!'
當用戶端存取/時,將響應hello_world()函數返回的內容。注意,這不是返回Hello World!這麼簡單,Hello World!只是HTTP響應報文的實體部分,狀態碼等資訊既可以由Flask自動處理,也可以通過程式設計來制定。
app = Flask(__name__)
上面的程式碼中,python內建變數__name__
的值是字串__main__
。Flask類將這個引數作為程式名稱。當然這個是可以自定義的,比如app = Flask("my-app")
。
Flask預設使用static
目錄存放靜態資源,templates
目錄存放模板,這是可以通過設定引數更改的:
app = Flask("my-app", static_folder="path1", template_folder="path2")
更多引數請參考__doc__
:
from flask import Flask print(Flask.__doc__)
上面的server.py中以app.run()
方式執行,這種方式下,如果伺服器端出現錯誤是不會在使用者端顯示的。但是在開發環境中,顯示錯誤資訊是很有必要的,要顯示錯誤資訊,應該以下面的方式執行Flask:
app.run(debug=True)
將debug
設定為True
的另一個好處是,程式啟動後,會自動檢測原始碼是否發生變化,若有變化則自動重啟程式。這可以幫我們省下很多時間。
預設情況下,Flask繫結IP為127.0.0.1
,埠為5000
。我們也可以通過下面的方式自定義:
app.run(host='0.0.0.0', port=80, debug=True)
0.0.0.0
代表電腦所有的IP。80
是HTTP網站服務的預設埠。什麼是預設?比如,我們存取網站http://www.example.com
,其實是存取的http://www.example.com:80
,只不過:80
可以省略不寫。
由於繫結了80埠,需要使用root許可權執行server.py。也就是:
$ sudo python3 server.py
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-001
URL引數是出現在url中的鍵值對,例如http://127.0.0.1:5000/?disp=3中的url引數是{'disp':3}
。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
在server.py中新增以下內容:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): return request.args.__str__() if __name__ == '__main__': app.run(port=5000, debug=True)
在瀏覽器中存取http://127.0.0.1:5000/?user=Flask&time&p=7&p=8,將顯示:
ImmutableMultiDict([('user', 'Flask'), ('time', ''), ('p', '7'), ('p', '8')])
較新的瀏覽器也支援直接在url中輸入中文(最新的火狐瀏覽器內部會幫忙將中文轉換成符合URL規範的資料),在瀏覽器中存取http://127.0.0.1:5000/?info=這是愛,,將顯示:
ImmutableMultiDict([('info', '這是愛,')])
瀏覽器傳給我們的Flask服務的資料長什麼樣子呢?可以通過request.full_path
和request.path
來看一下:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): print(request.path) print(request.full_path) return request.args.__str__() if __name__ == '__main__': app.run(port=5000, debug=True)
瀏覽器存取http://127.0.0.1:5000/?info=這是愛,,執行server.py的終端會輸出:
1./
2./?info=%E8%BF%99%E6%98%AF%E7%88%B1%EF%BC%8C
例如,要獲取鍵info
對應的值,如下修改server.py:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): return request.args.get('info') if __name__ == '__main__': app.run(port=5000)
執行server.py,在瀏覽器中存取http://127.0.0.1:5000/?info=hello,瀏覽器將顯示:
hello
不過,當我們存取http://127.0.0.1:5000/時候卻出現了500錯誤
為什麼為這樣?
這是因為沒有在URL引數中找到info
。所以request.args.get('info')
返回Python內建的None,而Flask不允許返回None。
解決方法很簡單,我們先判斷下它是不是None:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): r = request.args.get('info') if r==None: # do something return '' return r if __name__ == '__main__': app.run(port=5000, debug=True)
另外一個方法是,設定預設值,也就是取不到資料時用這個值:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): r = request.args.get('info', 'hi') return r if __name__ == '__main__': app.run(port=5000, debug=True)
函數request.args.get
的第二個引數用來設定預設值。此時在瀏覽器存取http://127.0.0.1:5000/,將顯示:
hi
還記得上面有一次請求是這樣的嗎? http://127.0.0.1:5000/?user=Flask&time&p=7&p=8,仔細看下,p
有兩個值。
如果我們的程式碼是:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): r = request.args.get('p') return r if __name__ == '__main__': app.run(port=5000, debug=True)
在瀏覽器中請求時,我們只會看到7
。如果我們需要把p
的所有值都獲取到,該怎麼辦?
不用get
,用getlist
:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): r = request.args.getlist('p') # 返回一個list return str(r) if __name__ == '__main__': app.run(port=5000, debug=True)
瀏覽器輸入 http://127.0.0.1:5000/?user=Flask&time&p=7&p=8,我們會看到['7', '8']
。
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-002
作為一種HTTP請求方法,POST用於向指定的資源提交要被處理的資料。我們在某網站註冊使用者、寫文章等時候,需要將資料傳遞到網站伺服器中。並不適合將資料放到URL引數中,密碼放到URL引數中容易被看到,文章資料又太多,瀏覽器不一定支援太長長度的URL。這時,一般使用POST方法。
本文使用python的requests庫模擬瀏覽器。
安裝方法:
$ sudo pip3 install requests
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
以使用者註冊為例子,我們需要向伺服器/register
傳送使用者名稱name
和密碼password
。如下編寫HelloWorld/server.py。
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/register', methods=['POST']) def register(): print(request.headers) print(request.stream.read()) return 'welcome' if __name__ == '__main__': app.run(port=5000, debug=True)
`@app.route(‘/register’, methods=[‘POST’])是指url
/register只接受POST方法。可以根據需要修改
methods`引數,例如如果想要讓它同時支援GET和POST,這樣寫:
@app.route('/register', methods=['GET', 'POST'])
瀏覽器模擬工具client.py內容如下:
import requests user_info = {'name': 'letian', 'password': '123'} r = requests.post("http://127.0.0.1:5000/register", data=user_info) print(r.text)
執行HelloWorld/server.py,然後執行client.py。client.py將輸出:
welcome
而HelloWorld/server.py在終端中輸出以下偵錯資訊(通過print
輸出):
Host: 127.0.0.1:5000 User-Agent: python-requests/2.19.1 Accept-Encoding: gzip, deflate Accept: */* Connection: keep-alive Content-Length: 24 Content-Type: application/x-www-form-urlencoded b'name=letian&password=123'
前6行是client.py生成的HTTP請求頭,由print(request.headers)
輸出。
請求體的資料,我們通過print(request.stream.read())
輸出,結果是:
b'name=letian&password=123'
上面,我們看到post的資料內容是:
b'name=letian&password=123'
我們要想辦法把我們要的name、password提取出來,怎麼做呢?自己寫?不用,Flask已經內建瞭解析器request.form
。
我們將服務程式碼改成:
from flask import Flask, request app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/register', methods=['POST']) def register(): print(request.headers) # print(request.stream.read()) # 不要用,否則下面的form取不到資料 print(request.form) print(request.form['name']) print(request.form.get('name')) print(request.form.getlist('name')) print(request.form.get('nickname', default='little apple')) return 'welcome' if __name__ == '__main__': app.run(port=5000, debug=True)
執行client.py請求資料,伺服器程式碼會在終端輸出:
Host: 127.0.0.1:5000 User-Agent: python-requests/2.19.1 Accept-Encoding: gzip, deflate Accept: */* Connection: keep-alive Content-Length: 24 Content-Type: application/x-www-form-urlencoded ImmutableMultiDict([('name', 'letian'), ('password', '123')]) letian letian ['letian'] little apple
request.form
會自動解析資料。
request.form['name']
和request.form.get('name')
都可以獲取name
對應的值。對於request.form.get()
可以為引數default
指定值以作為預設值。所以:
print(request.form.get('nickname', default='little apple'))
輸出的是預設值
little apple
如果name
有多個值,可以使用request.form.getlist('name')
,該方法將返回一個列表。我們將client.py改一下:
import requests user_info = {'name': ['letian', 'letian2'], 'password': '123'} r = requests.post("http://127.0.0.1:5000/register", data=user_info) print(r.text)
此時執行client.py,print(request.form.getlist('name'))
將輸出:
[u'letian', u'letian2']
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-003
使用 HTTP POST 方法傳到網站伺服器的資料格式可以有很多種,比如「5. 獲取POST方法傳送的資料」講到的name=letian&password=123這種用過&
符號分割的key-value鍵值對格式。我們也可以用JSON格式、XML格式。相比XML的重量、規範繁瑣,JSON顯得非常小巧和易用。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
如果POST的資料是JSON格式,request.json會自動將json資料轉換成Python型別(字典或者列表)。
編寫server.py:
from flask import Flask, request app = Flask("my-app") @app.route('/') def hello_world(): return 'Hello World!' @app.route('/add', methods=['POST']) def add(): print(request.headers) print(type(request.json)) print(request.json) result = request.json['a'] + request.json['b'] return str(result) if __name__ == '__main__': app.run(host='127.0.0.1', port=5000, debug=True)
編寫client.py模擬瀏覽器請求:
import requests json_data = {'a': 1, 'b': 2} r = requests.post("http://127.0.0.1:5000/add", json=json_data) print(r.text)
執行server.py,然後執行client.py,client.py 會在終端輸出:
3
server.py 會在終端輸出:
Host: 127.0.0.1:5000 User-Agent: python-requests/2.19.1 Accept-Encoding: gzip, deflate Accept: */* Connection: keep-alive Content-Length: 16 Content-Type: application/json {'a': 1, 'b': 2}
注意,請求頭中Content-Type
的值是application/json
。
響應JSON時,除了要把響應體改成JSON格式,響應頭的Content-Type
也要設定為application/json
。
編寫server2.py:
from flask import Flask, request, Response import json app = Flask("my-app") @app.route('/') def hello_world(): return 'Hello World!' @app.route('/add', methods=['POST']) def add(): result = {'sum': request.json['a'] + request.json['b']} return Response(json.dumps(result), mimetype='application/json') if __name__ == '__main__': app.run(host='127.0.0.1', port=5000, debug=True)
修改後執行。
編寫client2.py:
import requests json_data = {'a': 1, 'b': 2} r = requests.post("http://127.0.0.1:5000/add", json=json_data) print(r.headers) print(r.text)
執行client.py,將顯示:
{'Content-Type': 'application/json', 'Content-Length': '10', 'Server': 'Werkzeug/0.14.1 Python/3.6.4', 'Date': 'Sat, 07 Jul 2018 05:23:00 GMT'} {"sum": 3}
上面第一段內容是伺服器的響應頭,第二段內容是響應體,也就是伺服器返回的JSON格式資料。
另外,如果需要伺服器的HTTP響應頭具有更好的可客製化性,比如自定義Server
,可以如下修改add()
函數:
@app.route('/add', methods=['POST']) def add(): result = {'sum': request.json['a'] + request.json['b']} resp = Response(json.dumps(result), mimetype='application/json') resp.headers.add('Server', 'python flask') return resp
client2.py執行後會輸出:
{'Content-Type': 'application/json', 'Content-Length': '10', 'Server': 'python flask', 'Date': 'Sat, 07 Jul 2018 05:26:40 GMT'} {"sum": 3}
使用 jsonify 工具函數即可。
from flask import Flask, request, jsonify app = Flask("my-app") @app.route('/') def hello_world(): return 'Hello World!' @app.route('/add', methods=['POST']) def add(): result = {'sum': request.json['a'] + request.json['b']} return jsonify(result) if __name__ == '__main__': app.run(host='127.0.0.1', port=5000, debug=True)
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-004
上傳檔案,一般也是用POST方法。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
這一部分的程式碼參考自How to upload a file to the server in Flask。
我們以上傳圖片為例:
假設將上傳的圖片只允許’png’、’jpg’、’jpeg’、’gif’這四種格式,通過url/upload
使用POST上傳,上傳的圖片存放在伺服器端的static/uploads
目錄下。
首先在專案HelloWorld
中建立目錄static/uploads
:
mkdir HelloWorld/static/uploads
werkzeug
庫可以判斷檔名是否安全,例如防止檔名是../../../a.png
,安裝這個庫:
$ sudo pip3 install werkzeug
server.py程式碼:
from flask import Flask, request from werkzeug.utils import secure_filename import os app = Flask(__name__) # 檔案上傳目錄 app.config['UPLOAD_FOLDER'] = 'static/uploads/' # 支援的檔案格式 app.config['ALLOWED_EXTENSIONS'] = {'png', 'jpg', 'jpeg', 'gif'} # 集合型別 # 判斷檔名是否是我們支援的格式 def allowed_file(filename): return '.' in filename and filename.rsplit('.', 1)[1] in app.config['ALLOWED_EXTENSIONS'] @app.route('/') def hello_world(): return 'hello world' @app.route('/upload', methods=['POST']) def upload(): upload_file = request.files['image'] if upload_file and allowed_file(upload_file.filename): filename = secure_filename(upload_file.filename) # 將檔案儲存到 static/uploads 目錄,檔名同上傳時使用的檔名 upload_file.save(os.path.join(app.root_path, app.config['UPLOAD_FOLDER'], filename)) return 'info is '+request.form.get('info', '')+'. success' else: return 'failed' if __name__ == '__main__': app.run(port=5000, debug=True)
app.config
中的config是字典的子類,可以用來設定自有的設定資訊,也可以設定自己的設定資訊。函數allowed_file(filename)
用來判斷filename
是否有字尾以及字尾是否在app.config['ALLOWED_EXTENSIONS']
中。
使用者端上傳的圖片必須以image01
標識。upload_file
是上傳檔案對應的物件。app.root_path
獲取server.py所在目錄在檔案系統中的絕對路徑。upload_file.save(path)
用來將upload_file
儲存在伺服器的檔案系統中,引數最好是絕對路徑,否則會報錯(網上很多程式碼都是使用相對路徑,但是筆者在使用相對路徑時總是報錯,說找不到路徑)。函數os.path.join()
用來將使用合適的路徑分隔符將路徑組合起來。
好了,客製化使用者端client.py:
import requests file_data = {'image': open('Lenna.jpg', 'rb')} user_info = {'info': 'Lenna'} r = requests.post("http://127.0.0.1:5000/upload", data=user_info, files=file_data) print(r.text)
執行client.py,當前目錄下的Lenna.jpg將上傳到伺服器。
然後,我們可以在static/uploads中看到檔案Lenna.jpg。
要控制上產檔案的大小,可以設定請求實體的大小,例如:
app.config['MAX_CONTENT_LENGTH'] = 16 * 1024 * 1024 #16MB
不過,在處理上傳檔案時候,需要使用try:...except:...
。
如果要獲取上傳檔案的內容可以:
file_content = request.files['image'].stream.read()
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-005
簡單來說,Restful URL可以看做是對 URL 引數的替代。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
編輯server.py:
from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/user/') def user(username): print(username) print(type(username)) return 'hello ' + username @app.route('/user//friends') def user_friends(username): print(username) print(type(username)) return 'hello ' + username if __name__ == '__main__': app.run(port=5000, debug=True)
執行HelloWorld/server.py。使用瀏覽器存取http://127.0.0.1:5000/user/letian,HelloWorld/server.py將輸出:
letian
而存取http://127.0.0.1:5000/user/letian/,響應為404 Not Found。
瀏覽器存取http://127.0.0.1:5000/user/letian/friends,可以看到:
Hello letian. They are your friends.
HelloWorld/server.py輸出:
letian
由上面的範例可以看出,使用 Restful URL 得到的變數預設為str物件。如果我們需要通過分頁顯示查詢結果,那麼需要在url中有數位來指定頁數。按照上面方法,可以在獲取str型別頁數變數後,將其轉換為int型別。不過,還有更方便的方法,就是用flask內建的轉換機制,即在route中指定該如何轉換。
新的伺服器程式碼:
from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/page/') def page(num): print(num) print(type(num)) return 'hello world' if __name__ == '__main__': app.run(port=5000, debug=True)
`@app.route(‘/page/int:num‘)`會將num變數自動轉換成int型別。
執行上面的程式,在瀏覽器中存取http://127.0.0.1:5000/page/1,HelloWorld/server.py將輸出如下內容:
1
如果存取的是http://127.0.0.1:5000/page/asd,我們會得到404響應。
在官方資料中,說是有3個預設的轉換器:
int accepts integers float like int but for floating point values path like the default but also accepts slashes
看起來夠用了。
如下編寫伺服器程式碼:
from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/page/-') def page(num1, num2): print(num1) print(num2) return 'hello world' if __name__ == '__main__': app.run(port=5000, debug=True)
在瀏覽器中存取http://127.0.0.1:5000/page/11-22,HelloWorld/server.py會輸出:
11 22
自定義的轉換器是一個繼承werkzeug.routing.BaseConverter
的類,修改to_python
和to_url
方法即可。to_python
方法用於將url中的變數轉換後供被`@app.route包裝的函數使用,to_url方法用於flask.url_for`中的引數轉換。
下面是一個範例,將HelloWorld/server.py修改如下:
from flask import Flask, url_for from werkzeug.routing import BaseConverter class MyIntConverter(BaseConverter): def __init__(self, url_map): super(MyIntConverter, self).__init__(url_map) def to_python(self, value): return int(value) def to_url(self, value): return value * 2 app = Flask(__name__) app.url_map.converters['my_int'] = MyIntConverter @app.route('/') def hello_world(): return 'hello world' @app.route('/page/') def page(num): print(num) print(url_for('page', num=123)) # page 對應的是 page函數 ,num 對應對應`/page/`中的num,必須是str return 'hello world' if __name__ == '__main__': app.run(port=5000, debug=True)
瀏覽器存取http://127.0.0.1:5000/page/123後,HelloWorld/server.py的輸出資訊是:
123 /page/123123
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-006
工具函數url_for
可以讓你以軟編碼的形式生成url,提供開發效率。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
編輯HelloWorld/server.py:
from flask import Flask, url_for app = Flask(__name__) @app.route('/') def hello_world(): pass @app.route('/user/') def user(name): pass @app.route('/page/') def page(num): pass @app.route('/test') def test(): print(url_for('hello_world')) print(url_for('user', name='letian')) print(url_for('page', num=1, q='hadoop mapreduce 10%3')) print(url_for('static', filename='uploads/01.jpg')) return 'Hello' if __name__ == '__main__': app.run(debug=True)
執行HelloWorld/server.py。然後在瀏覽器中存取http://127.0.0.1:5000/test,HelloWorld/server.py將輸出以下資訊:
/ /user/letian /page/1?q=hadoop+mapreduce+10%253 /static/uploads/01.jpg
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-007
redirect
函數用於重定向,實現機制很簡單,就是向用戶端(瀏覽器)傳送一個重定向的HTTP報文,瀏覽器會去存取報文中指定的url。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
使用redirect
時,給它一個字串型別的引數就行了。
編輯HelloWorld/server.py:
from flask import Flask, url_for, redirect app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/test1') def test1(): print('this is test1') return redirect(url_for('test2')) @app.route('/test2') def test2(): print('this is test2') return 'this is test2' if __name__ == '__main__': app.run(debug=True)
執行HelloWorld/server.py,在瀏覽器中存取http://127.0.0.1:5000/test1,瀏覽器的url會變成http://127.0.0.1:5000/test2,並顯示:
this is test2
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-008
模板引擎負責MVC中的V(view,檢視)這一部分。Flask預設使用Jinja2模板引擎。
Flask與模板相關的函數有:
這其中常用的就是前兩個函數。
這個範例中使用了模板繼承、if判斷、for迴圈。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
內容如下:
<html> <head> <title> {% if page_title %} {{ page_title }} {% endif %} </title> </head> <body> {% block body %}{% endblock %} ``` 可以看到,在``標籤中使用了if判斷,如果給模板傳遞了`page_title`變數,顯示之,否則,不顯示。 ``標籤中定義了一個名為`body`的block,用來被其他模板檔案繼承。 ### 11.3 建立並編輯HelloWorld/templates/user_info.html 內容如下: ``` {% extends "default.html" %} {% block body %} {% for key in user_info %} {{ key }}: {{ user_info[key] }} {% endfor %} {% endblock %}
變數user_info
應該是一個字典,for迴圈用來回圈輸出鍵值對。
內容如下:
from flask import Flask, render_template app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/user') def user(): user_info = { 'name': 'letian', 'email': '123@aa.com', 'age':0, 'github': 'https://github.com/letiantian' } return render_template('user_info.html', page_title='letian's info', user_info=user_info) if __name__ == '__main__': app.run(port=5000, debug=True)
render_template()
函數的第一個引數指定模板檔案,後面的引數是要傳遞的資料。
執行HelloWorld/server.py:
$ python3 HelloWorld/server.py
在瀏覽器中存取http://127.0.0.1:5000/user
檢視網頁原始碼:
<html> <head> <title> letian&&9;s info </title> </head> <body> name: letian <br/> email: 123@aa.com <br/> age: 0 <br/> github: https://github.com/letiantian <br/> </body> </html>
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-009
要處理HTTP錯誤,可以使用flask.abort
函數。
建立Flask專案
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
程式碼
編輯HelloWorld/server.py:
from flask import Flask, render_template_string, abort app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/user') def user(): abort(401) # Unauthorized 未授權 print('Unauthorized, 請先登入') if __name__ == '__main__': app.run(port=5000, debug=True)
效果
執行HelloWorld/server.py,瀏覽器存取http://127.0.0.1:5000/user
要注意的是,HelloWorld/server.py中abort(401)後的print並沒有執行。
程式碼
將伺服器程式碼改為:
from flask import Flask, render_template_string, abort app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/user') def user(): abort(401) # Unauthorized @app.errorhandler(401) def page_unauthorized(error): return render_template_string(' Unauthorized {{ error_info }}', error_info=error), 401 if __name__ == '__main__': app.run(port=5000, debug=True)
page_unauthorized
函數返回的是一個元組,401 代表HTTP 響應狀態碼。如果省略401,則響應狀態碼會變成預設的 200。
效果
執行HelloWorld/server.py,瀏覽器存取http://127.0.0.1:5000/user
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-010
session用來記錄使用者的登入狀態,一般基於cookie實現。
下面是一個簡單的範例。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
內容如下:
from flask import Flask, render_template_string, session, request, redirect, url_for app = Flask(__name__) app.secret_key = 'F12Zr47j3yX R~X@H!jLwf/T' @app.route('/') def hello_world(): return 'hello world' @app.route('/login') def login(): return render_template_string(page) @app.route('/do_login', methods=['POST']) def do_login(): name = request.form.get('user_name') session['user_name'] = name return 'success' @app.route('/show') def show(): return session['user_name'] @app.route('/logout') def logout(): session.pop('user_name', None) return redirect(url_for('login')) if __name__ == '__main__': app.run(port=5000, debug=True)
app.secret_key
用於給session加密。
在/login
中將向用戶展示一個表單,要求輸入一個名字,submit後將資料以post的方式傳遞給/do_login
,/do_login
將名字存放在session中。
如果使用者成功登入,存取/show
時會顯示使用者的名字。此時,開啟firebug等偵錯工具,選擇session面板,會看到有一個cookie的名稱為session
。
/logout
用於登出,通過將session
中的user_name
欄位pop即可。Flask中的session基於字典型別實現,呼叫pop方法時會返回pop的鍵對應的值;如果要pop的鍵並不存在,那麼返回值是pop()
的第二個引數。
另外,使用redirect()
重定向時,一定要在前面加上return
。
進入http://127.0.0.1:5000/login,輸入name,點選submit
進入http://127.0.0.1:5000/show檢視session中儲存的name:
下面這段程式碼來自Is there an easy way to make sessions timeout in flask?:
from datetime import timedelta from flask import session, app session.permanent = True app.permanent_session_lifetime = timedelta(minutes=5)
這段程式碼將session的有效時間設定為5分鐘。
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-011
Cookie是儲存在使用者端的記錄存取者狀態的資料。具體原理,請見 http://zh.wikipedia.org/wiki/Cookie 。 常用的用於記錄使用者登入狀態的session大多是基於cookie實現的。
cookie可以藉助flask.Response
來實現。下面是一個範例。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
修改HelloWorld/server.py:
from flask import Flask, request, Response, make_response import time app = Flask(__name__) @app.route('/') def hello_world(): return 'hello world' @app.route('/add') def login(): res = Response('add cookies') res.set_cookie(key='name', value='letian', expires=time.time()+6*60) return res @app.route('/show') def show(): return request.cookies.__str__() @app.route('/del') def del_cookie(): res = Response('delete cookies') res.set_cookie('name', '', expires=0) return res if __name__ == '__main__': app.run(port=5000, debug=True)
由上可以看到,可以使用Response.set_cookie
新增和刪除cookie。expires
引數用來設定cookie有效時間,它的值可以是datetime
物件或者unix時間戳,筆者使用的是unix時間戳。
res.set_cookie(key='name', value='letian', expires=time.time()+6*60)
上面的expire引數的值表示cookie在從現在開始的6分鐘內都是有效的。
要刪除cookie,將expire引數的值設為0即可:
res.set_cookie('name', '', expires=0)
set_cookie()
函數的原型如下:
set_cookie(key, value=’’, max_age=None, expires=None, path=’/‘, domain=None, secure=None, httponly=False)
Sets a cookie. The parameters are the same as in the cookie Morsel object in the Python standard library but it accepts unicode data, too.
Parameters:
key – the key (name) of the cookie to be set.
value – the value of the cookie.
max_age – should be a number of seconds, or None (default) if the cookie should last only as long as the client’s browser session.
expires – should be a datetime object or UNIX timestamp.
domain – if you want to set a cross-domain cookie. For example, domain=”.example.com” will set a cookie that is readable by the domain www.example.com, foo.example.com etc. Otherwise, a cookie will only be readable by the domain that set it.
path – limits the cookie to a given path, per default it will span the whole domain.
執行HelloWorld/server.py:
$ python3 HelloWorld/server.py
使用瀏覽器開啟http://127.0.0.1:5000/add,瀏覽器介面會顯示
add cookies
下面檢視一下cookie,如果使用firefox瀏覽器,可以用firebug外掛檢視。開啟firebug,選擇Cookies
選項,重新整理頁面,可以看到名為name
的cookie,其值為letian
。
在“網路”選項中,可以檢視響應頭中類似下面內容的設定cookie的HTTP「指令」:
Set-Cookie: name=letian; Expires=Sun, 29-Jun-2014 05:16:27 GMT; Path=/
在cookie有效期間,使用瀏覽器存取http://127.0.0.1:5000/show,可以看到:
{'name': 'letian'}
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-012
Flask的快閃記憶體系統(flashing system)用於向用戶提供反饋資訊,這些反饋資訊一般是對使用者上一次操作的反饋。反饋資訊是儲存在伺服器端的,當伺服器向用戶端返回反饋資訊後,這些反饋資訊會被伺服器端刪除。
下面是一個範例。
按照以下命令建立Flask專案HelloWorld:
mkdir HelloWorld mkdir HelloWorld/static mkdir HelloWorld/templates touch HelloWorld/server.py
內容如下:
from flask import Flask, flash, get_flashed_messages import time app = Flask(__name__) app.secret_key = 'some_secret' @app.route('/') def index(): return 'hi' @app.route('/gen') def gen(): info = 'access at '+ time.time().__str__() flash(info) return info @app.route('/show1') def show1(): return get_flashed_messages().__str__() @app.route('/show2') def show2(): return get_flashed_messages().__str__() if __name__ == "__main__": app.run(port=5000, debug=True)
執行伺服器:
$ python3 HelloWorld/server.py
開啟瀏覽器,存取http://127.0.0.1:5000/gen,瀏覽器介面顯示(注意,時間戳是動態生成的,每次都會不一樣,除非並行存取):
access at 1404020982.83
檢視瀏覽器的cookie,可以看到session
,其對應的內容是:
.eJyrVopPy0kszkgtVrKKrlZSKIFQSUpWSknhYVXJRm55UYG2tkq1OlDRyHC_rKgIvypPdzcDTxdXA1-XwHLfLEdTfxfPUn8XX6DKWCAEAJKBGq8.BpE6dg.F1VURZa7VqU9bvbC4XIBO9-3Y4Y
再一次存取http://127.0.0.1:5000/gen,瀏覽器介面顯示:
access at 1404021130.32
cookie中session
發生了變化,新的內容是:
.eJyrVopPy0kszkgtVrKKrlZSKIFQSUpWSknhYVXJRm55UYG2tkq1OlDRyHC_rKgIvypPdzcDTxdXA1-XwHLfLEdTfxfPUn8XX6DKWLBaMg1yrfCtciz1rfIEGxRbCwAhGjC5.BpE7Cg.Cb_B_k2otqczhknGnpNjQ5u4dqw
然後使用瀏覽器存取http://127.0.0.1:5000/show1,瀏覽器介面顯示:
['access at 1404020982.83', 'access at 1404021130.32']
這個列表中的內容也就是上面的兩次存取http://127.0.0.1:5000/gen得到的內容。此時,cookie中已經沒有session
了。
如果使用瀏覽器存取http://127.0.0.1:5000/show1或者http://127.0.0.1:5000/show2,只會得到:
[]
flash系統也支援對flash的內容進行分類。修改HelloWorld/server.py內容:
from flask import Flask, flash, get_flashed_messages import time app = Flask(__name__) app.secret_key = 'some_secret' @app.route('/') def index(): return 'hi' @app.route('/gen') def gen(): info = 'access at '+ time.time().__str__() flash('show1 '+info, category='show1') flash('show2 '+info, category='show2') return info @app.route('/show1') def show1(): return get_flashed_messages(category_filter='show1').__str__() @app.route('/show2') def show2(): return get_flashed_messages(category_filter='show2').__str__() if __name__ == "__main__": app.run(port=5000, debug=True)
某一時刻,瀏覽器存取http://127.0.0.1:5000/gen,瀏覽器介面顯示:
access at 1404022326.39
不過,由上面的程式碼可以知道,此時生成了兩個flash資訊,但分類(category)不同。
使用瀏覽器存取http://127.0.0.1:5000/show1,得到如下內容:
['1 access at 1404022326.39']
而繼續存取http://127.0.0.1:5000/show2,得到的內容為空:
[]
在Flask中,get_flashed_messages()
預設已經整合到Jinja2
模板引擎中,易用性很強。
https://github.com/letiantian/Learn-Flask/tree/master/flask-demo-01 3
到此這篇關於Python使用Web框架Flask開發專案的文章就介紹到這了。希望對大家的學習有所幫助,也希望大家多多支援it145.com。
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45