Flask Tutorial

Posted by Zhenda on Sun, May 26, 2024
Total Views:

link: https://flask.palletsprojects.com/en/stable/

快速开始

1
2
3
4
5
6
7
from flask import Flask

app = Flask(__name__)

@app.route("/")
def hello_world():
    return "<p>Hello, World!</p>"

其他有用函数

 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
from flask import request, url_for, render_template, abort, redirect, make_response, session


with app.test_request_context():
    print(url_for('index'))
    print(url_for('login'))
    print(url_for('login', next='/'))
    print(url_for('profile', username='John Doe'))

@app.route('/hello/')
@app.route('/hello/<name>')
def hello(name=None):
    return render_template('hello.html', person=name)

@app.route('/')
def index():
    return redirect(url_for('login'))

@app.route('/login')
def login():
    abort(401)
    this_is_never_executed()

@app.errorhandler(404)
def not_found(error):
    resp = make_response(render_template('error.html'), 404)
    resp.headers['X-Something'] = 'A value'
    return resp

@app.route('/')
def index():
    if 'username' in session:
        return f'Logged in as {session["username"]}'
    return 'You are not logged in'

app.config

https://flask.palletsprojects.com/en/stable/config/#configuration-basics

实际上是字典的子类, 可以像任何字典一样进行修改

An interesting pattern is also to use classes and inheritance for configuration:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
class Config(object):
    TESTING = False

class ProductionConfig(Config):
    DATABASE_URI = 'mysql://user@localhost/foo'

class DevelopmentConfig(Config):
    DATABASE_URI = "sqlite:////tmp/foo.db"

class TestingConfig(Config):
    DATABASE_URI = 'sqlite:///:memory:'
    TESTING = True

app.config.from_object('configmodule.ProductionConfig')

view类

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
from flask.views import View

class ListView(View):
    def __init__(self, model, template):
        self.model = model
        self.template = template

    def dispatch_request(self):
        items = self.model.query.all()
        return render_template(self.template, items=items)

app.add_url_rule(
    "/users/",
    view_func=ListView.as_view("user_list", User, "users.html"),
)
app.add_url_rule(
    "/stories/",
    view_func=ListView.as_view("story_list", Story, "stories.html"),
)

中间件

https://flask.palletsprojects.com/en/stable/lifecycle/

1
2
3
@app.before_request
@app.after_request
@app.teardown_request

常用扩展

1
2
3
4
5
6
7
8
9
pip install Flask-SQLAlchemy
pip install Flask-Migrate
pip install flask-restful

pip install WTForms
pip install Flask-WTF
pip install Flask-Admin

pip install Flask-Login