视图概述
- 视图是由数据库中的一个表或多个表导出的虚拟表,是一种虚拟存在的表,方便用户对数据的操作。
- 视图是一个虚拟表,是从数据库中一个或多个表中导出来的表,其内容由查询定义。
- 同真实表一样,视图包含一系列带有名称的列和行数据
- 数据库中只存放了视图的定义,而并没有存放视图中的数据。这些数据存放在原来的表中。
- 使用视图查询数据时,数据库系统会从原来的表中取出对应的数据。
- 一旦表中的数据发生改变,显示在视图中的数据也会发生改变。
使用视图的原因
- 安全原因,视图可以隐藏一些数据,例如,员工信息表,可以用视图只显示姓名、工龄、地址,而不显示社会保险号和工资数等
- 另一个原因是可使复杂的查询易于理解和使用。
创建视图
语法格式
CREATE [OR REPLACE] [ALGORITHM={UNDEFINED|MERGE|TEMPTABLE}]
VIEW 视图名[(属性清单)]
AS SELECT语句
[WITH [CASCADED|LOCAL] CHECK OPTION];
- REPLACE:替换现有视图
- ALGORITHM:可选项,表示视图选择的算法。
- 属性清单:可选项,指定视图中各个属性的名词,默认情况下与SELECT语句中的查询的属性相同。
- SELECT语句:表示一个完整的查询语句,将查询记录导入视图中。
- WITH CHECK OPTION:可选项,表示更新视图时要保证在该视图的权限范围之内。
视图示例
mysql> use test2021;
mysql> create view emp_view
-> as
-> select name, email, dept_name
-> from employees as e
-> inner join departments as d
-> on e.dept_id=d.dept_id;
Query OK, 0 rows affected (0.01 sec)
# 查询视图中数据
mysql> select * from emp_view;
mysql> select * from emp_view where dept_name='运维部';
+-----------+--------------------+-----------+
| name | email | dept_name |
+-----------+--------------------+-----------+
| 廖娜 | liaona@guodong.com | 运维部 |
| 窦红梅 | douhongmei@guodong.com | 运维部 |
| 聂想 | niexiang@guodong.com | 运维部 |
| 陈阳 | chenyang@guodong.com | 运维部 |
| 戴璐 | dailu@guodong.com | 运维部 |
| 陈斌 | chenbin@guodong.com | 运维部 |
+-----------+--------------------+-----------+
6 rows in set (0.00 sec)
mysql> create view emp_sal_view
-> as
-> select name, date, basic+bonus as total
-> from employees as e
-> inner join salary as s
-> on e.employee_id=s.employee_id;
Query OK, 0 rows affected (0.00 sec)
mysql> select * from emp_sal_view where year(date)=2020 and month(date)=12;
修改视图
语法格式
方式一:
CREATE [OR REPLACE] [ALGORITHM={UNDEFINED|MERGE|TEMPTABLE}]
VIEW 视图名[(属性清单)]
AS SELECT语句
[WITH [CASCADED|LOCAL] CHECK OPTION];
mysql> create or replace view emp_view
-> as
-> select name, email, d.dept_id, dept_name
-> from employees as e
-> inner join departments as d
-> on e.dept_id=d.dept_id;
mysql> select * from emp_view;
方式二
ALTER VIEW 视图名 AS 查询语句
mysql> alter view emp_sal_view
-> as
-> select name, date, basic, bonus, basic+bonus as total
-> from employees as e
-> inner join salary as s
-> on e.employee_id=s.employee_id;
Query OK, 0 rows affected (0.01 sec)
mysql> select * from emp_sal_view where year(date)=2020 and month(date)=12;
查看视图
SHOW TABLES
DESC 视图
删除视图
DROP VIEW 视图1, 视图2, ...
mysql> drop view emp_view, emp_sal_view;
Query OK, 0 rows affected (0.00 sec)