#第7章
#【例7.1】在stusys数据库中创建V_StudentScore视图,包括学号、姓名、性别、专业、课程号、成绩,且专业为计算机。
use stusys;
create or replace view V_StudentScore
as
select a.sno,sname,ssex,speciality,cno,grade
from student a,score b
where a.sno=b.sno and speciality='计算机'
with check option;
#【例7.2】在stusys数据库中创建V_StudentCourseScore视图,包括学号、姓名、性别、课程名、成绩,按学号升序排列,且专业为计算机。
create or replace view v_studentcoursescore
as
select a.sno,sname,ssex,speciality,cname,grade
from student a,course b,score c
where a.sno=c.sno and b.cno and speciality='计算机'
with check option;
#【例7.3】 分别查询V_StudentScore视图、V_StudentCourseScore视图。
select * from v_studentscore;
select * from v_studentcoursescore;
#【例7.4】 查询计算机专业学生的学号、姓名、性别、课程名。
select sno,sname,ssex,cname
from v_studentcoursescore;
#【例7.5】在stusys数据库中,以student为基表,创建专业为通信的可更新视图
create or replace view v_studentspecialitycomn
as
select * from student
where speciality='通信';
select * from v_studentspecialitycomn;
#【例7.6】 向V_StudentSpecialityComm视图中插入一条记录:('196006','程超','男','1998-04-28','通信', 50)。
use stusys;
insert into v_studentspecialitycomn
values('196006','程超','男','1998-04-28','通信',50);
select * from v_studentspecialitycomn;
#【例7.7】 将V_StudentSpecialityComm视图中学号为196006的学生的总学分增加2分。
update v_studentspecialitycomn set tc=tc+2
where sno='196006';
select * from v_studentspecialitycomn;
#【例7.8】 删除V_StudentSpecialityComm视图中学号为196006的记录。
delete from v_studentspecialitycomn
where sno='196006';
select * from student;
#【例7.9】 将例7.1定义的视图V_StudentScore视图进行修改,取消专业为计算机的要求。
alter view v_studentscore
as
select a.sno,sname,ssex,speciality,cno,grade
from student a,score b
where a.sno=b.sno
with check option;
select * from v_studentscore;
#【例7.10】修改例7.2创建的视图V_StudentCourseScore,学号以降序排列。
create or replace view v_studentcoursescore
as
select a.sno,sname,ssex,speciality,cname,grade
from student a,course b,score c
where a.sno=c.sno and b.cno and speciality='计算机'
order by a.sno desc;
select * from v_studentcoursescore;
#【例7.11】 在stusys数据库中,将视图V_StudentCourseScore删除。
drop view v_studentcoursescore;
#【例7.12】 在stusys数据库中student表的sname列上,创建一个普通索引I_studentSname。
create index i_studentsname on student(sname);
#【例7.13】 在stusys数据库中course表的cno列上,创建一个索引I_courseCno,要求按课程号cno字段值前2个字符降序排列。
create index i_coursecno on course(cno(2) desc);
#【例7.14】 在stusys数据库中student表的tc列(降序)和sname列(升序),创建一个组合索引I_studentTcSname。
create index i_studenttcsname on student(tc desc, sname);
#【例7.15】在stusys数据库teacher表的tname列,创建一个唯一性索引I_teacherTname,并按降序排列。
alter table teacher
add unique index i_teachertname(tname desc);
#【例7.16】在stusys数据库中,创建新表score1表,主键为sno和cno,同时在grade列上创建普通索引。
create table score1
(
sno char (6) not null,
cno char (4) not null,
grade tinyint null,
primary key (sno,cno),
index(grade)
);
#【例7.17】查看例7.16所创建的score1表的索引。
show index from score1;
#【例7.18】删除已建索引I_studentTcSname。
drop index i_studenttcsname on student;
#【例7.19】删除已建索引I_teacherTname。
alter table teacher
drop index i_teachertname;