标签:cti 时间 logs web应用 sae padding Nid icp awd
userlist=False
即可secondary
指定中间关联表db.backref
完成等价查询
@app.route(‘/query/‘)
def query():
# students = Student.query.all()
# 等价于
students = db.session.query(Student).all()
return ‘,‘.join(s.name for s in students)
指定字段查询
@app.route(‘/select/‘)
def select():
# ret = db.session.query(Student.id, Student.name).all()
# 指定字段查询,等价于上式
ret = Student.query.with_entities(Student.id, Student.name).all()
# 返回指定字段组成的元组构成的列表
print(ret)
return ‘查询结束‘
分页查询:paginate,项目中讲解。
查看SQL日志:就是查看执行过的SQL语句。
# 记录SQL日志,需要满足以下三个条件中的任意一个即可
# app.config[‘DEBUG‘] = True
# app.config[‘TESTING‘] = True
app.config[‘SQLALCHEMY_RECORD_QUERIES‘] = True
from flask_sqlalchemy import get_debug_queries
queries = get_debug_queries()
for q in queries:
print(q)
说明:
数据库的速度是一个web应用的性能瓶颈,因此,为了提高访问效率,应该尽可能减少数据库的访问。可以将经常访问的数据缓存起来,每次访问时先从缓存中获取数据,若有直接返回;没有再从数据库中读取。
flask-cache:专门负责数据缓存的扩展。
安装:pip install flask-cache
使用:
from flask_cache import Cache
# 配置
# 缓存类型
app.config[‘CACHE_TYPE‘] = ‘redis‘
# 主机
app.config[‘CACHE_REDIS_HOST‘] = ‘127.0.0.1‘
# 端口
app.config[‘CACHE_REDIS_PORT‘] = 6379
# 数据库
app.config[‘CACHE_REDIS_DB‘] = 1
# 创建对象
cache = Cache(app, with_jinja2_ext=False)
缓存视图函数:
@app.route(‘/‘)
# timeout:指定缓存有效期,默认300s
# key_prefix:缓存键前缀,默认:view/ + 路由地址
@cache.cached(timeout=100, key_prefix=‘index‘)
def index():
print(‘读取数据库‘)
return ‘有效数据‘
缓存普通函数:
# 缓存普通函数,key_prefix必须指定
@cache.cached(timeout=100, key_prefix=‘common‘)
def common():
print(‘查询数据库‘)
return ‘返回的数据‘
@app.route(‘/hello/‘)
def hello():
return common()
清除缓存
@app.route(‘/clear/‘)
def clear():
# 指定删除
# cache.delete(‘index‘)
# 全部清空
cache.clear()
return ‘缓存已清除‘
自定义缓存
@app.route(‘/zidingyi/‘)
def zidingyi():
# 先从缓存中获取
data = cache.get(‘zidingyi_data‘)
if data:
return data
# 没有缓存数据
print(‘从数据库中获取数据‘)
data = ‘123456‘
# 缓存数据
cache.set(‘zidingyi_data‘, data, timeout=100)
return data
?
Flask:06-一首歌的时间掌握flask数据模型(02)
标签:cti 时间 logs web应用 sae padding Nid icp awd
原文地址:https://www.cnblogs.com/swjblog/p/9741718.html