视图: 本质上是一种虚拟表,其内容与真实表相似,包含一系列带有名称的列和行数据。
视图的特点如下:
- 视图的列可以来自不同的表,是表的抽象和在逻辑意义上建立的新关系。
- 视图是由基本表(实表)产生的表(虚表)。
- 视图的建立和删除不影响基本表。
- 对视图内容的更新(添加、删除和修改)直接影响基本表。
- 创建视图
# 创建数据库
create database view;
# 使用数据库
use view;
# 创建表
create table t_product(
id int primary key,
name varchar(20),
price float
);
# 查看当前表中的数据
select * from t_product;
# 创建视图
create view view_selectproduct
as
select id,name from t_product;
# 使用视图--实质是将语句进行了封装
select * from view_selectproduct;
- 创建各种视图
(1)封装实现查询常量语句的视图, 即所谓常量视图。
create view view_test1
as
select 3.1415926;
(2)封装使用聚合函数(SUM、MIN、MAX、COUNT等)查询语句
create view view_test2
as
select count(name) from t_student;
(3) 封装实现排序功能(ORDER BY)查询语句的视图
create view view_test3
as
select name from t_product order by id desc;
(4) 封装实现表内连接查询语句的视图
create view view_test4
as
select s.name
from t_student as s, t_group as g
where s.group_id=g.id
and g.id=2;
(5)封装实现表外连接(LEFT JOIN 和 RIGHT JOIN)查询语句的视图。
create view view_test5
as
select s.name
from t_student as s
left join
t_group as g
on s.group_id=g.id
where g.id=2;
(6)封装实现子查询相关查询语句的视图。
create view view_test6
as
select s.name
from t_student as s
where s.group_id in (
select id from t_group
);
(7)封装了实现记录联合(UNION和UNION ALL)查询语句视图
create view view_test7
as
select id, name from t_student
union all
select id, name from t_group;
查看视图
(1)SHOW TABLES语句查看视图名show tables;
(2)SHOW TABLE STATUS语句查看视图详细信息show table status \G;
或show table status from view \G;
或show table status from view like "view_selectproduct" \G;
(3)SHOW CREATE VIEW语句查看视图定义信息show create view view_selectproduct \G;
(4)DESCRIBE|DESC语句查看视图设计信息desc view_selectproduct;
删除视图
drop view view_selectproduct,view_select_selectproduct1;
- CREATE OR REPLACE VIEW语句修改视图
# 修改视图语句
create or replace view view_selectproduct
as
select name from t_product;
# 查询视图
select * from view_selectproduct;
- ALERT 语句修改视图
alter view view_selectproduct
as
select id,name from t_product;