Flask(一)

Flask

0.Flask簡介

Flask是一個基於Python開發而且依賴jinja2模板和Werkzeug WSGI服務的一個微型框架,對於Werkzeug本質是Socket服務端,其用於接收http請求並對請求進行預處理,而後觸發Flask框架,開發人員基於Flask框架提供的功能對請求進行相應的處理,並返回給用戶,若是要返回給用戶複雜的內容時,須要藉助jinja2模板來實現對模板的處理,即:將模板和數據進行渲染,將渲染後的字符串返回給用戶瀏覽器。html

「微」(micro) 並不表示你須要把整個 Web 應用塞進單個 Python 文件(雖然確實能夠 ),也不意味着 Flask 在功能上有所欠缺。微框架中的「微」意味着 Flask 旨在保持核心簡單而易於擴展。Flask 不會替你作出太多決策——好比使用何種數據庫。而那些 Flask 所選擇的——好比使用何種模板引擎——則很容易替換。除此以外的一切都由可由你掌握。如此,Flask 能夠與您珠聯璧合。python

默認狀況下,Flask 不包含數據庫抽象層、表單驗證,或是其它任何已有多種庫能夠勝任的功能。然而,Flask 支持用擴展來給應用添加這些功能,如同是 Flask 自己實現的同樣。衆多的擴展提供了數據庫集成、表單驗證、上傳處理、各類各樣的開放認證技術等功能。Flask 也許是「微小」的,但它已準備好在需求繁雜的生產環境中投入使用mysql

wsgiref

最簡單的Web應用就是先把HTML用文件保存好,用一個現成的HTTP服務器軟件,接收用戶請求,從文件中讀取HTML,返回。web

若是要動態生成HTML,就須要把上述步驟本身來實現。不過,接受HTTP請求、解析HTTP請求、發送HTTP響應都是苦力活,若是咱們本身來寫這些底層代碼,還沒開始寫動態HTML呢,就得花個把月去讀HTTP規範。正則表達式

正確的作法是底層代碼由專門的服務器軟件實現,咱們用Python專一於生成HTML文檔。由於咱們不但願接觸到TCP鏈接、HTTP原始請求和響應格式,因此,須要一個統一的接口協議來實現這樣的服務器軟件,讓咱們專心用Python編寫Web業務。這個接口就是WSGI:Web Server Gateway Interface。而wsgiref模塊就是python基於wsgi協議開發的服務模塊sql

from wsgiref.simple_server import make_server

def mya(environ, start_response):
   print(environ)
   start_response('200 OK', [('Content-Type', 'text/html')])
   if environ.get('PATH_INFO') == '/index':
       with open('index.html','rb') as f:
           data=f.read()

   elif environ.get('PATH_INFO') == '/login':
       with open('login.html', 'rb') as f:
           data = f.read()
   else:
       data=b'<h1>Hello, web!</h1>'
   return [data]

if __name__ == '__main__':
   myserver = make_server('', 8011, mya)
   print('監聽8010')
   myserver.serve_forever()

wsgiref簡單應用

 

1.安裝

pip3 install flask數據庫

2.werkzeug簡介

Werkzeug是一個WSGI工具包,他能夠做爲一個Web框架的底層庫。這裏稍微說一下, werkzeug 不是一個web服務器,也不是一個web框架,而是一個工具包,官方的介紹說是一個 WSGI 工具包,它能夠做爲一個 Web 框架的底層庫,由於它封裝好了不少 Web 框架的東西,例如 Request,Response 等等 django

代碼示例:json

from werkzeug.wrappers import Request, Response

@Request.application
def hello(request):
   return Response('Hello World!')

if __name__ == '__main__':
   from werkzeug.serving import run_simple
   run_simple('localhost', 4000, hello)

3.flask快速使用

from flask import Flask
# 實例化產生一個Flask對象
app = Flask(__name__)
# 將 '/'和視圖函數hello_workd的對應關係添加到路由中
@app.route('/') # 1. v=app.route('/') 2. v(hello_world)
def hello_world():
    return 'Hello World!'if __name__ == '__main__':
    app.run() # 最終調用了run_simple()

4.配置文件

flask中的配置文件是一個flask.config.Config對象(繼承字典),默認配置爲:flask

 {
        'DEBUG':                                get_debug_flag(default=False),  是否開啓Debug模式
        'TESTING':                              False,                          是否開啓測試模式
        'PROPAGATE_EXCEPTIONS':                 None,                          
        'PRESERVE_CONTEXT_ON_EXCEPTION':        None,
        'SECRET_KEY':                           None,
        'PERMANENT_SESSION_LIFETIME':           timedelta(days=31),
        'USE_X_SENDFILE':                       False,
        'LOGGER_NAME':                          None,
        'LOGGER_HANDLER_POLICY':               'always',
        'SERVER_NAME':                          None,
        'APPLICATION_ROOT':                     None,
        'SESSION_COOKIE_NAME':                  'session',
        'SESSION_COOKIE_DOMAIN':                None,
        'SESSION_COOKIE_PATH':                  None,
        'SESSION_COOKIE_HTTPONLY':              True,
        'SESSION_COOKIE_SECURE':                False,
        'SESSION_REFRESH_EACH_REQUEST':         True,
        'MAX_CONTENT_LENGTH':                   None,
        'SEND_FILE_MAX_AGE_DEFAULT':            timedelta(hours=12),
        'TRAP_BAD_REQUEST_ERRORS':              False,
        'TRAP_HTTP_EXCEPTIONS':                 False,
        'EXPLAIN_TEMPLATE_LOADING':             False,
        'PREFERRED_URL_SCHEME':                 'http',
        'JSON_AS_ASCII':                        True,
        'JSON_SORT_KEYS':                       True,
        'JSONIFY_PRETTYPRINT_REGULAR':          True,
        'JSONIFY_MIMETYPE':                     'application/json',
        'TEMPLATES_AUTO_RELOAD':                None,
    }

 

方式一

   app.config['DEBUG'] = True
   PS: 因爲Config對象本質上是字典,因此還可使用app.config.update(...)

方式二

#經過py文件配置
app.config.from_pyfile("python文件名稱")
如:
settings.py
DEBUG = True
​
app.config.from_pyfile("settings.py")
#經過環境變量配置
app.config.from_envvar("環境變量名稱")
#app.config.from_pyfile(os.environ['YOURAPPLICATION_SETTINGS'])
環境變量的值爲python文件名稱名稱,內部調用from_pyfile方法
​
app.config.from_json("json文件名稱")
JSON文件名稱,必須是json格式,由於內部會執行json.loads
​
app.config.from_mapping({'DEBUG': True})
字典格式
​
app.config.from_object("python類或類的路徑")
​
app.config.from_object('pro_flask.settings.TestingConfig')
​
settings.py
​
​
class Config(object):
    DEBUG = False
    TESTING = False
    DATABASE_URI = 'sqlite://:memory:'
​
​
class ProductionConfig(Config):
    DATABASE_URI = 'mysql://user@localhost/foo'
​
​
class DevelopmentConfig(Config):
    DEBUG = True
​
​
class TestingConfig(Config):
    TESTING = True
​
​
PS: 從sys.path中已經存在路徑開始寫
​
PS: settings.py文件默認路徑要放在程序root_path目錄,若是instance_relative_config爲True,則就是instance_path目錄(Flask對象init方法的參數)

 

5.路由系統

典型寫法

 @app.route('/detail/<int:nid>',methods=['GET'],endpoint='detail')

默認轉換器

DEFAULT_CONVERTERS = {
   'default':          UnicodeConverter,
   'string':           UnicodeConverter,
   'any':              AnyConverter,
   'path':             PathConverter,
   'int':              IntegerConverter,
   'float':            FloatConverter,
   'uuid':             UUIDConverter,
}

路由系統本質

"""
1. decorator = app.route('/',methods=['GET','POST'],endpoint='n1')
    def route(self, rule, **options):
        # app對象
        # rule= /
        # options = {methods=['GET','POST'],endpoint='n1'}
        def decorator(f):
            endpoint = options.pop('endpoint', None)
            self.add_url_rule(rule, endpoint, f, **options)
            return f
        return decorator
2. @decorator
    decorator(index)
"""
#同理
def login():
    return '登陸'
app.add_url_rule('/login', 'n2', login, methods=['GET',"POST"])
#與django路由相似
#django與flask路由:flask路由基於裝飾器,本質是基於:add_url_rule
#add_url_rule 源碼中,endpoint若是爲空,endpoint = _endpoint_from_view_func(view_func),最終取view_func.__name__(函數名)

基本用法總結:

啓動flask
第一步
from flask import Flask
app=Flask(__name__)
第二步
@app.route("/")
def index():
    return "123"
第三步
app.run()

啓動flask本質是執行
wsgi_app(ev,re)


django四劍客
'''
redirect--->redirect
HttpResponse---->""
render--->render_template 注意他的傳值,必須字典打散
JsonResponse--->jsonify
'''

配置文件的四種方式
#第一種方式
# app.debug=True
# app.secret_key="asdas"
#第二種方式
# app.config["DEBUG"]=True
#第三種方式
# app.config.from_pyfile("settings.py")
#第四種方式(推薦)
app.config.from_object('settingss.Test')

flask路由本質
基於裝飾器添加路由實際上是執行:
app.add_url_rule(self, rule, endpoint=None, view_func=None)
rule--->路由
endpoint--->反向解析的別名
view_func---->當前的視圖函數
methods ---->容許請求的方式["get","post"],若是不傳默認容許的是get請求

怎樣反向解析獲取路由
url_for(別名)

嚴格模式:

from flask import Flask
app=Flask(__name__)

@app.route("/<int:nid>",strict_slashes=False)
def index(nid):
    print(nid)
    return "ok"


@app.route("/index",strict_slashes=True,redirect_to="/1")
def index1():

    return "ok1"

if __name__ == '__main__':
    app.run()

CBV(源碼分析)

'''
def
auth(func): def inner(*args, **kwargs): print('before') result = func(*args, **kwargs) print('after') return result ​ return inner '''​
方式一:
class IndexView(views.View): methods = ['GET'] # decorators = [auth, ] ​ def dispatch_request(self): print('Index') return 'Index!' #若是不傳name,這全部返回的都是view,這樣就會報錯,全部人家必須你要傳遞參數 #而後他傳遞給view_func的其實就是你視圖類中的dispatch_request方法。這樣咱們沒有辦法,在一個視圖類中寫多種請求方式 app.add_url_rule('/index', view_func=IndexView.as_view(name='index')) # name=endpoint #或者,一般用此方式
方式二:
class IndexView(views.MethodView): methods = ['GET'] #cbv添加裝飾,用這個,咱們看as_view中就知道了,不寫methods默認爲GET請求 decorators = [auth, ] ​ def get(self): return 'Index.GET'def post(self): return 'Index.POST' #若是咱們繼承了MethodView,他幫咱們重寫了,dispatch_request方法,他給咱們作了一個分發,經過請求,來執行不一樣的函數 app.add_url_rule('/index', view_func=IndexView.as_view(name='index')) # name=endpoint

 

app.add_url_rule參數

@app.route和app.add_url_rule參數:
rule, URL規則
view_func, 視圖函數名稱
defaults = None, 默認值, 當URL中無參數,函數須要參數時,使用defaults = {'k': 'v'}
爲函數提供參數
endpoint = None, 名稱,用於反向生成URL,即: url_for('名稱')
methods = None, 容許的請求方式,如:["GET", "POST"]
#對URL最後的 / 符號是否嚴格要求
strict_slashes = None
    '''
        @app.route('/index', strict_slashes=False)
        #訪問http://www.xx.com/index/ 或http://www.xx.com/index都可
        @app.route('/index', strict_slashes=True)
        #僅訪問http://www.xx.com/index
    '''
#重定向到指定地址
redirect_to = None, 
    '''
        @app.route('/index/<int:nid>', redirect_to='/home/<nid>')
    '''#子域名訪問
subdomain = None, 
    '''
    #C:\Windows\System32\drivers\etc\hosts
    127.0.0.1       www.liuqingzheng.com
    127.0.0.1       admin.liuqingzheng.com
    127.0.0.1       buy.liuqingzheng.com
    
    from flask import Flask, views, url_for
    app = Flask(import_name=__name__)
    app.config['SERVER_NAME'] = 'liuqingzheng.com:5000'
    @app.route("/", subdomain="admin")
    def static_index():
        """Flask supports static subdomains
        This is available at static.your-domain.tld"""
        return "static.your-domain.tld"
    #能夠傳入任意的字符串,如傳入的字符串爲aa,顯示爲 aa.liuqingzheng.com
    @app.route("/dynamic", subdomain="<username>")
    def username_index(username):
        """Dynamic subdomains are also supported
        Try going to user1.your-domain.tld/dynamic"""
        return username + ".your-domain.tld"
    if __name__ == '__main__':
        app.run()
        
    訪問:
    http://www.liuqingzheng.com:5000/dynamic
    http://admin.liuqingzheng.com:5000/dynamic
    http://buy.liuqingzheng.com:5000/dynamic
    '''

支持正則

#1 寫類,繼承BaseConverter
#2 註冊:app.url_map.converters['regex'] = RegexConverter
# 3 使用:@app.route('/index/<regex("\d+"):nid>')  正則表達式會看成第二個參數傳遞到類中
from flask import Flask, views, url_for
from werkzeug.routing import BaseConverter
​
app = Flask(import_name=__name__)
​
class RegexConverter(BaseConverter):
    """
    自定義URL匹配正則表達式
    """
    def __init__(self, map, regex):
        super(RegexConverter, self).__init__(map)
        self.regex = regex
​
    def to_python(self, value):
        """
        路由匹配時,匹配成功後處理並傳遞給視圖函數中參數的值
        """
        return int(value)
​
    def to_url(self, value):
        """
        使用url_for反向生成URL時,傳遞的參數通過該方法處理,返回的值用於生成URL中的參數
        """
        val = super(RegexConverter, self).to_url(value)
        return val
# 添加到flask中
app.url_map.converters['regex'] = RegexConverter
@app.route('/index/<regex("\d+"):nid>')
def index(nid):
    print(url_for('index', nid='888'))
    return 'Index'if __name__ == '__main__':
    app.run()

案例:登陸,顯示用戶信息 (模板)

from flask import Flask,render_template,request,redirect,url_for,Markup
app = Flask(__name__)
app.debug = True

# 模板渲染的時候
'''
模板裏面
渲染變量
{{}}-->和django同樣
{% for k,v in dict.item()%}
    {{v.name}}
    {{v.get("name")}}
    {{v['name']}}
{% endfor %}
'''
'''
methods=["GET","POST]
/detail/<int:nid> 
nid會當作參數傳給咱們的視圖函數
咱們給模板傳值的必須是關鍵字傳值
url_for()作反向解析,填的是endpoint的值,若是要跳轉的視圖沒有指定endpoint,就用函數名

'''

USERS = {
    1:{'name':'張三','age':18,'gender':'','text':"道路千萬條"},
    2:{'name':'李四','age':28,'gender':'','text':"安全第一條"},
    3:{'name':'王五','age':18,'gender':'','text':"行車不規範"},
}

@app.route('/detail/<int:nid>',methods=['GET'])
def detail(nid):

    info = USERS.get(nid)
    return render_template('detail.html',info=info)


@app.route('/index',methods=['GET'])
def index():


        # return redirect('/login')
    url = url_for('l1')
    return redirect(url)
    #return render_template('index.html',user_dict=USERS)


@app.route('/login',methods=['GET','POST'],endpoint='l1')
def login():
    if request.method == "GET":
        return render_template('login.html')
    else:
        # request.query_string
        user = request.form.get('user')
        pwd = request.form.get('pwd')
        if user == 'cxw' and pwd == '123':

            return redirect('http://www.baidu.com')
        return render_template('login.html',error='用戶名或密碼錯誤')

def func1(a,b):
    return Markup(f"<h1>蔡徐坤{a},{b}</h1>")



@app.route("/test")
def test():
    return render_template('test.html', error=func1)

if __name__ == '__main__':
    app.run()

templates / detail.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
</head>
<body>
    <h1>詳細信息 {{info['name']}}...{{info.get('name')}}....{{info.name}}</h1>
    <div>
        {{info.text}}
    </div>
</body>
</html>

index.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
</head>
<body>
    <h1>用戶列表</h1>
    <table>
        {% for k,v in user_dict.items() %}
        <tr>
            <td>{{k}}</td>
            <td>{{v.name}}</td>
            <td>{{v['name']}}</td>
            <td>{{v.get('name')}}</td>
            <td><a href="/detail/{{k}}">查看詳細</a></td>
        </tr>
        {% endfor %}
    </table>
</body>
</html>

login.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
</head>
<body>
    <h1>用戶登陸</h1>
    <form method="post">
        <input type="text" name="user">
        <input type="text" name="pwd">
        <input type="submit" value="登陸">{{error}}
    </form>
</body>
</html>

test.html:

<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-8">
    <title>Title</title>
</head>
<body>
<!--{{error|safe}}-->
<!--{{error("666","ttt")}}-->
<!--<a>{{url_for("l1")}}</a>-->
1312
</body>
</html>

六.請求與響應

from flask import Flask
from flask import request
from flask import render_template
from flask import redirect
from flask import make_response

app = Flask(__name__)

'''
獲取當前請求的內容
1 先要導入request
2 直接用request.方法,屬性
返回的時候,若是須要設置額外的響應參數,好比cookie,heard
1 response=make_response(四劍客)
2 response.設置屬性=「屬性值」
3 return response

'''

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

    # 請求相關信息
    # request.method  提交的方法
    print("request.method",request.method)
    # request.args  get請求說起的數據
    print("request.args", request.args)
    # request.form   post請求提交的數據
    # request.values  post和get提交的數據總和
    # request.cookies  客戶端所帶的cookie
    # request.headers  請求頭
    # request.path     不帶域名,請求路徑
    # request.full_path  不帶域名,帶參數的請求路徑
    # request.script_root
    # request.url           帶域名帶參數的請求路徑
    # request.base_url        帶域名請求路徑
    # request.url_root      域名
    # request.host_url        域名
    # request.host            127.0.0.1:500
    # request.files
    # obj = request.files['the_file_name']
    # obj.save('/var/www/uploads/' + secure_filename(f.filename))

    # 響應相關信息
    # return "字符串"
    # return render_template('html模板路徑',**{})
    # return redirect('/index.html')
    #return jsonify({'k1':'v1'})

    # response = make_response(render_template('index.html'))
    # response是flask.wrappers.Response類型
    # response.delete_cookie('key')
    # response.set_cookie('key', 'value')
    # response.headers['X-Something'] = 'A value'
    # return response
    response1=make_response(render_template('rr.html'))
    #response1.set_cookie('key_sss', 'valuessbbsd')              設置cookie
    # response1.delete_cookie('key_sss')                         刪除cookie
    response1.headers['sb'] = 'asdas'                            設置響應頭
    return response1

if __name__ == '__main__':
    app.run()

rr.html:

<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-8">
    <title>Title</title>
</head>
<h1>qweqw</h1>
<body>

</body>
</html>

七.session (cookie鍵可經過配置文件修改,默認是session;value值是一個加密的字典)

from flask import Flask,session


app = Flask(__name__)
app.debug=True
app.secret_key="ajsdklas"
app.config['SESSION_COOKIE_NAME']="session_key"
# app.session_interface  查看源碼
@app.route("/")
def index():
    session['name']="sb"
    return "ok"

@app.route("/test")
def test():
    print(session['name'])
    return "ok1"

if __name__ == '__main__':
    app.run()

app.session_interface中save_session的參數(設置cookie的參數)

key, 鍵
value='', 值
max_age=None, 超時時間 cookie須要延續的時間(以秒爲單位)若是參數是\ None`` ,這個cookie會延續到瀏覽器關閉爲止
expires=None, 超時時間(IE requires expires, so set it if hasn't been already.)
path='/', Cookie生效的路徑,/ 表示根路徑,特殊的:根路徑的cookie能夠被任何url的頁面訪問,瀏覽器只會把cookie回傳給帶有該路徑的頁面,這樣能夠避免將cookie傳給站點中的其餘的應用。
domain=None, Cookie生效的域名 你可用這個參數來構造一個跨站cookie。如, domain=".example.com"所構造的cookie對下面這些站點都是可讀的:www.example.com 、 www2.example.com 和an.other.sub.domain.example.com 。若是該參數設置爲 None ,cookie只能由設置它的站點讀取
secure=False, 瀏覽器將經過HTTPS來回傳cookie
httponly=False 只能http協議傳輸,沒法被JavaScript獲取(不是絕對,底層抓包能夠獲取到也能夠被覆蓋)

session源碼的執行流程

-save_seesion
    -響應的時候,把session中的值加密序列化放大到了cookie中,返回到瀏覽器中
-open_session
    -請求來了,從cookie中取出值,反解,生成session對象,之後再視圖函數中直接用sessoin就能夠了。

 

八.閃現(message)

-設置:flash('aaa')
-取值:get_flashed_message()
-
-假設在a頁面操做出錯,跳轉到b頁面,在b頁面顯示a頁面的錯誤信息
from flask import Flask,flash,get_flashed_messages,request,redirect

app = Flask(__name__)
app.debug=True
app.secret_key = 'asdfasdf'
'''
1 設置flash
    1.1 flash("要傳遞的值",category="分類的名稱"),若是不傳默認是message
    本質:session['_flash']
2取flash設置的值咱們用get_flashed_messages
 2.1 get_flashed_messages(with_categories=False, category_filter=()),
    2.1.1若是不傳遞 category_filter,取出上面存儲的全部分類傳遞的值
    2.1.2若是不傳with_categories就只取值,不取分類的名字,若是傳,就獲取 分類名和分類值
    
3 這個flash只能一個視圖函數中取,只要有一個視圖函數取過了,那其餘視圖函數就不能獲取
    本質:session.pop("_flash")
    3.1 可是在同一個視圖函數裏面能夠無限的取值
   


'''

@app.route('/index')
def index():
    # 從某個地方獲取設置過的全部值,並清除。
    #flash('超時錯誤',category="x1")
    flash("它過來了,你要當心")
    flash("我是第二個",category="ss")
    return "ssdsdsdfsd"
    # return redirect('/error')


@app.route('/error')
def error():
    """
    展現錯誤信息
    :return:
    若是get_flashed_messages(with_category=True)
    """
    #data = get_flashed_messages(category_filter=['x1'])
    data=get_flashed_messages(with_categories=True,category_filter=['ss'])
    data1 = get_flashed_messages(with_categories=True, category_filter=['ss'])
    print(type(data))
    print(data1)
    return "錯誤信息:%s" %(data,)


if __name__ == '__main__':
    app.run()

 九.請求擴展

from flask import Flask,render_template

app = Flask(__name__)
'''
1 before_request 請求以前
    1.1可寫多個befor_request函數
    1.2並且是從上往下執行的
    1.3 一旦有返回值,請求的視圖函數不會執行,已經剩下的befor_request不會執行
2 after_request 請求以後
    2.1能夠寫多個after_request函數
    2.2 全部的after_request是從下往上執行,和befor_request相反
    2.3 不管 befor_request有沒有返回值,個人after_request都會執行
    2.4 必須接受response,並且必須返回response
    
3 before_first_request 是我項目啓動後,接受到的第一個請求,會執行該函數,後面就不會在執行

4 teardown_request(e)
    4.1 這是e 是接收我服務器拋出的異常
    4.2 不管我服務器有沒有錯誤,都會執行該函數
    4.3 雖然能接收異常,可是沒有辦法處理異常
    
5 errorhandler(500) 
    5.1 參數的中值爲錯誤碼
    5.2 當服務器拋出對應狀態碼的異常,就會執行該函數
    5.3 而且該函數能夠處理異常,讓用戶沒法感知,服務器錯誤
    5.4 每個錯誤碼,都須要一個對應的函數進行處理

'''


# app.debug=True



#基於它作用戶登陸認證
# @app.before_request
# def process_request():
#     print(request)
#     print("我是請求以前")
#     return "我回來了"
#
# @app.before_request
# def process_request1():
#     print("我是請求以前1")

#請求以後
# @app.after_request
# def process_response1(response):
#     print('process_response1 走了')

#     return response
# @app.after_request
# def afr(response):
#     print("23423")
#     return response
# @app.after_request
# def tt(response):
#     print("我是第一個")
#     return response

#項目接收的第一個請求
# @app.before_first_request
# def a():
#     print("個人第一次")

#如論有無異常都執行,若是沒有異常這個e就是None
# @app.teardown_request
# def ter(e):
#     # if e:
#         #logingh
#     # return "wo si l"
#     print("我拋異常")
#
# #我不但願看到個人服務器錯誤,參數填寫的是錯誤狀態碼
# @app.errorhandler(500)
# def error_500(arg):
#     print(arg)
#     return "請等一下在試"
#
# @app.errorhandler(404)
# def erros(arg):
#     print(arg)
#     return "你撥打的用戶不存在"

@app.template_global()
def sb(a1, a2):
    return a1 + a2

@app.template_filter()
def db(a1, a2, a3):
    print(a1)
    print(a2)
    print(a3)
    return a1 + a2 + a3
#

@app.route('/')
def index():
    print("我是你要請求的函數")
    # a
    return render_template("gllo.html")




if __name__ == '__main__':
    app.run()

gllo.html:

<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-8">
    <title>Title</title>
</head>
<body>
{{sb(1,2)}}
{{ 1|db(2,3)}}
</body>
</html>

十.中間件:

from flask import Flask
app=Flask(__name__)
class MyMiddleware:
    def __init__(self,wsgi_app):
        self.wsgi_app_old=wsgi_app
    def __call__(self,environ, start_response):
        print("個人開始以前")
        res=self.wsgi_app_old(environ, start_response)
        print("我是全部的結束以後")
        return  res

@app.before_request
def a():
    print("我是請求以前")


@app.route("/")
def index():
    print("我是視圖函數")
    return "ok"

if __name__ == '__main__':
    app.__call__
    '''
        def __call__(self, environ, start_response):
            print(ww)
            return self.wsgi_app(environ, start_response)
            print(asdas)
            
            
            print(ww)
            return self.wsgi_app(environ, start_response)
            print(asdas)
    
    '''
    app.wsgi_app = MyMiddleware(app.wsgi_app)#MyMiddleware的對象
    #新的app.wsgi_app
    #app.wsgi_app是MyMiddleware的對象
    #app.wsgi_app()
    #MyMiddleware的對象的__call__()
    #MyMiddleware.__call__

    app.run()

 

相關文章
相關標籤/搜索