Flask快速入门,知识整理

Posted 听风。

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Flask快速入门,知识整理相关的知识,希望对你有一定的参考价值。

一、Flask介绍(轻量级的框架,非常快速的就能把程序搭建起来)

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

“微”(micro) 并不表示你需要把整个 Web 应用塞进单个 Python 文件(虽然确实可以 ),也不意味着 Flask 在功能上有所欠缺。微框架中的“微”意味着 Flask 旨在保持核心简单而易于扩展。Flask 不会替你做出太多决策——比如使用何种数据库。而那些 Flask 所选择的——比如使用何种模板引擎——则很容易替换。除此之外的一切都由可由你掌握。如此,Flask 可以与您珠联璧合。

默认情况下,Flask 不包含数据库抽象层、表单验证,或是其它任何已有多种库可以胜任的功能。然而,Flask 支持用扩展来给应用添加这些功能,如同是 Flask 本身实现的一样。众多的扩展提供了数据库集成、表单验证、上传处理、各种各样的开放认证技术等功能。Flask 也许是“微小”的,但它已准备好在需求繁杂的生产环境中投入使用。

pip3 install flask

 

#Flask依赖一个实现wsgi协议的模块:werkzeug
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)

flask依赖wsgi,实现wsgi模块:wsgiref,werkzeug,uwsgi

 

与Django的简单比较

    Django:无socket,依赖第三方模块wsgi,中间件,路由系统(CBV,FBV),视图函数,ORM。cookie,session,Admin,Form,缓存,信号,序列化。。
    Flask:无socket,中间件(需要扩展),路由系统,视图(CBV)、第三方模块(依赖jinja2),cookie,session弱爆了

 

二、基本使用

from flask import Flask
app = Flask(__name__)
 
@app.route(\'/\')
def hello_world():
    return \'Hello World!\'
 
if __name__ == \'__main__\':
    app.run()

 

 1.实例化Flask对象时,可选的参数

app = Flask(__name__)    # 这是实例化一个Flask对象,最基本的写法
# 但是Flask中还有其他参数,以下是可填的参数,及其默认值

def __init__(self, import_name, static_path=None, static_url_path=None,
                 static_folder=\'static\', template_folder=\'templates\',
                 instance_path=None, instance_relative_config=False,
                 root_path=None):

 

template_folder模板所在文件夹的名字

root_path:可以不用填,会自动找到,当前执行文件,所在目录地址

在return render_template时会将上面两个进行拼接,找到对应的模板地址

static_folder静态文件所在文件的名字,默认是static,可以不用填

static_url_path静态文件的地址前缀,写成什么,访问静态文件时,就要在前面加上这个

app = Flask(__name__,template_folder=\'templates\',static_url_path=\'/xxxxxx\')

 

如:在根目录下创建目录,templates和static,则return render_template时,可以找到里面的模板页面;如在static文件夹里存放11.png,在引用该图片时,静态文件地址为:/xxxxxx/11.png

 

 instance_pathinstance_relative_config是配合来用的、

这两个参数是用来找配置文件的,当用app.config.from_pyfile(\'settings.py\')这种方式导入配置文件的时候会用到

instance_relative_config:默认为False,当设置为True时from_pyfile会从instance_path指定的地址下查找文件。

instsnce_path指定from_pyfile查询文件的路径,不设置时,默认寻找和app.run()的执行文件同级目录下的instance文件夹;如果配置了instance_path(注意需要是绝对路径),就会从指定的地址下里面的文件

 

绑定路由关系的两种方式

#方式一
    @app.route(\'/index.html\',methods=[\'GET\',\'POST\'],endpoint=\'index\')
    def index():
        return \'Index\'
        
#方式二

def index():
    return "Index"

self.add_url_rule(rule=\'/index.html\', endpoint="index", view_func=index, methods=["GET","POST"])    #endpoint是别名
or
app.add_url_rule(rule=\'/index.html\', endpoint="index", view_func=index, methods=["GET","POST"])
app.view_functions[\'index\'] = index

 

添加路由关系的本质:将url和视图函数封装成一个Rule对象,添加到Flask的url_map字段中

 

2.Flask中装饰器应用

from flask import Flask,render_template,request,redirect,session
app = Flask(__name__)
app.secret_key = "sdsfdsgdfgdfgfh"   # 设置session时,必须要加盐,否则报错

def wrapper(func):
    def inner(*args,**kwargs):
        if not session.get("user_info"):
            return redirect("/login")
        ret = func(*args,**kwargs)
        return ret
    return inner

@app.route("/login",methods=["GET","POST"])  # 指定该路由可接收的请求方式,默认为GET
def login():
    if request.method=="GET":
        return render_template("login.html")
    else:
        # print(request.values)   #这个里面什么都有,相当于body
        username = request.form.get("username")
        password = request.form.get("password")
        if username=="haiyan" and password=="123":
            session["user_info"] = username
            # session.pop("user_info")  #删除session
            return redirect("/index")
        else:
            # return render_template("login.html",**{"msg":"用户名或密码错误"})
            return render_template("login.html",msg="用户名或者密码错误")

@app.route("/index",methods=["GET","POST"])
@wrapper    #自己定义装饰器时,必须放在路由的装饰器下面
def index():
    # if not session.get("user_info"):
    #     return redirect("/login")
    return render_template("index.html")


if __name__ == \'__main__\':
    app.run(debug=True) 

 

debug = True 是指进入调试模式,服务器会在 我们的代码修改后, 自动重新载入,有错误的话会提醒,每次修改代码后就不需要再手动重启

点击查看详情

 

4.请求响应相关

1.获取请求数据,及相应

    - request
            - request.form   #POST请求的数据
            - request.args   #GET请求的数据,不是完全意义上的字典,通过.to_dict可以转换成字典
            - request.querystring  #GET请求,bytes形式的
        - response
            - return render_tempalte()    
            - return redirect()
            - return ""
            v = make_response(返回值)  #可以把返回的值包在了这个函数里面,然后再通过.set_cookie绑定cookie等
        - session
            - 存在浏览器上,并且是加密的
            - 依赖于:secret_key

2.flask中获取URL后面的参数(from urllib.parse import urlencode,quote,unquote)

GET请求:

URL为:  http://127.0.0.1:5000/login?name=%27%E8%83%A1%E5%86%B2%27&nid=2

 

from urllib.parse import urlencode,quote,unquote

def login():
    if request.method == \'GET\':
        s1 = request.args
        s2 = request.args.to_dict()
        s3 = urlencode(s1)
        s4 = urlencode(s2)
        s5 = unquote(s3)
        s6 = unquote(s4)
        s7 = quote("胡冲")
        print(\'s1\',s1)
        print(\'s2\',s2)
        print(\'s3\',s3)
        print(\'s4\',s4)
        print(\'s5\',s5)
        print(\'s6\',s6)
        print(\'s7\',s7)

        return render_template(\'login.html\')

#############结果如下####################

s1 ImmutableMultiDict([(\'name\', "\'胡冲\'"), (\'nid\', \'2\')])
s2 {\'name\': "\'胡冲\'", \'nid\': \'2\'}
s3 name=%27%E8%83%A1%E5%86%B2%27&nid=2
s4 name=%27%E8%83%A1%E5%86%B2%27&nid=2
s5 name=\'胡冲\'&nid=2
s6 name=\'胡冲\'&nid=2
s7 %E8%83%A1%E5%86%B2

 

三、配置文件

 点击查看

 

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
flask中的配置文件是一个flask.config.Config对象(继承字典),默认配置为:
    {
        \'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(...)
 
方式二:
    app.config.from_pyfile("python文件名称")
        如:
            settings.py
                DEBUG = True
 
            app.config.from_pyfile("settings.py")
 
    app.config.from_envvar("环境变量名称")
        环境变量的值为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目录

 

 四、路由系统

 1.可传入参数:

@app.route(\'/user/<username>\')   #常用的   不加参数的时候默认是字符串形式的
@app.route(\'/post/<int:post_id>\')  #常用的   #指定int,说明是整型的
@app.route(\'/post/<float:post_id>\')
@app.route(\'/post/<path:path>\')
@app.route(\'/login\', methods=[\'GET\', \'POST\'])

 

1
2
3
4
5
6
7
8
9
DEFAULT_CONVERTERS = {
    \'default\':          UnicodeConverter,
    \'string\':           UnicodeConverter,
    \'any\':              AnyConverter,
    \'path\':             PathConverter,
    \'int\':              IntegerConverter,
    \'float\':            FloatConverter,
    \'uuid\':             UUIDConverter,
}

 

 

2.反向生成URL: url_for

endpoint("name")   #别名,相当于django中的name

 

from flask import Flask, url_for

@app.route(\'/index\',endpoint="xxx")  #endpoint是别名
def index():
    v = url_for("xxx")
    print(v)
    return "index"

@app.route(\'/zzz/<int:nid>\',endpoint="aaa")  #endpoint是别名
def zzz(nid):
    v = url_for("aaa",nid=nid)
    print(v)
    return "index2"

 

3.  @app.route和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"]
            

            strict_slashes=None,        对URL最后的 / 符号是否严格要求,
                                        如:
                                            @app.route(\'/index\',strict_slashes=False), #当为False时,url上加不加斜杠都行
                                                访问 http://www.xx.com/index/ 或 http://www.xx.com/index均可
                                            @app.route(\'/index\',strict_slashes=True)  #当为True时,url后面必须不加斜杠
                                                仅访问 http://www.xx.com/index 
            redirect_to=None,           由原地址直接重定向到指定地址,原url有参数时,跳转到的新url也得传参,注意:新url中不用指定参数类型,直接用旧的参数的类型
                                        如:
                                            @app.route(\'/index/<int:nid>\', redirect_to=\'/home/<nid>\') # 访问index时,会直接自动跳转到home,执行home的函数,
                                                            不执行index的
                                            
                          或
def func(adapter, nid): return "/home/888" @app.route(\'/index/<int:nid>\', redirect_to=func) subdomain=None, 子域名访问 from flask import Flask, views, url_for app = Flask(import_name=__name__) app.config[\'SERVER_

以上是关于Flask快速入门,知识整理的主要内容,如果未能解决你的问题,请参考以下文章

Flask---RESTful使用

廖雪峰JS知识点整理——快速入门

Flask 快速入门

3000 字 Flask 快速学习指南:从入门到开发

程序猿哥哥带你快速入门Flask框架

基于flask进行微信开发第一部分-flask快速入门