使用视图的好处
- 视图是多表联合的结果,避免代码重复
- 视图更安全,用户只能访问到视图给定的内容集合,比如多租户模式的数据隔离问题
- 视图在数据表与应用程序是一个中间层,数据表发生变化的时候,修改视图就行了,不用改代码
- 复杂的查询需求,可以将问题分解成多个视图结果,最后联合这些视图得到最终结果
创建视图
# algorithm 视图的算法
# merge是智能合并语句, temptable是把查出来的数据存表,二次再查
# create view v1 as select * from table_1 where a>0
# create view v2 as select * from v1 where a<3
# select * from v1 where a<3 and a>0
create [algorithm={undefined|merge|temptable}] view view_name
as select 列名 from 表名
[with [cascaded|local] check option]
# 创建或修改视图
create or replace [algorithm={undefined|merge|temptable}] view view_name [(属性清单)] as select语句 [with [cascaded|local] check option];
# 修改视图
alter view view_name as select * from table_1 with local check option;
# 删除视图
drop view if exists view_name;
# 查看视图
show tables;
- 视图是数据库下的
- 视图与表名共享命名空间
- 更新视图的操作不能使用在计算出来的或者统计的列上
- cascaded 是默认值,会作用在原始表上, local是指可更新视图仅作用在视图上
algorithm=undefined|merge|temptable 的区别
- undefined为自动识别,可能是merge,也可能是temptable,默认项
- merge是把视图编译成sql语句去执行(mysql更倾向于这种方式)
- temptable是把视图查询出来,作为临时表,然后后面的查询在这个临时表中查
temptable模式可能会有性能问题
比如查询某用户的评论数
create view comment as select user_id,count(*) as count from table_comment group by user_id
# 由于使用了count统计函数,algorithm会自动解析成temptable算法
# 查询user_id为90的用户评论数量
# 下面这个查询就会扫描整个表结构
select * from comment where user_id=90;
#这个语句的优化过程
# 转换一
select * form (select user_id,count(*) as count from table_comment group by user_id) as comment where user_id=90;
# 转换二
select * form (select user_id,count(*) as count from table_comment group by user_id having user_id=90) ;
# 转换三,having 提升
select user_id,count(*) as count from table_comment where user_id=90 group by user_id
# 转换四,去掉多余的 group by
select user_id,count(*) as count from table_comment where user_id=90
mysql 不会做这四步优化
local与cascaded的区别
视图 | 条件 | with [cascaded|local] check option |
---|---|---|
A | >80 | with local check option |
B | <90 | with local check option |
C | <90 | with cascaded check option |
B与C都基于视图A进行查询
(local)更新视图Bset 成绩=70
,不会报错,因为70<90,可以更新到数据
(cascaded)更新视图Cset 成绩=70
,会报错,因为70<90,但是70不>80
网友评论