本文主要是介绍数据更新(2020-4-1),希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
SQL语句的功能
数据定义:create/drop/alter 创建/删除/修改(针对结构)
数据查询:select
数据更新:insert/delete/update (针对零件数据)
数据控制:grant/revoke 授权/回收
插入 insert
1.插入一条学生记录(‘201215128’ ‘陈冬’ ‘男’ ‘IS’ 19)
/*注意数据之间的约束,由于已经存在201215128,所以这条语句会失败*/
insert into student(sno,sname,ssex,sdept,sage)
values ('201215128','陈冬','男','IS',19)
2.插入一条学生记录(‘201215129’ ‘陈冬’ ‘男’ ‘IS’ 19)
insert into student(sno,sname,ssex,sdept,sage)
values ('201215129','陈冬','男','IS',19)
3.插入一条数据
insert into student/*如果不写字段名,需要将数据按照顺序来写*/
values('201215130','张成民','男',18,'CS')/*注意数据之间的兼容性*/
4.增加学生201215128的选课记录1
insert into sc(sno,cno)
values('201215128','1')/*不写的grade按照NULL处理*/
5.增加学生201215128的选课记录2
insert into sc(sno,cno,grade)
values('201215128','2',NULL)/*NULL不代表是空格*/
6.对于每一个系,求其平均年龄
--1.建一张表,存放平均值
create table deptage /*主码不是必须的*/
(sdept varchar(15),avg_age smallint
);--2.把子查询插入deptage表
insert into deptage(sdept,avg_age)
select sdept,avg(sage)/*聚集函数会消除NULL*/
from student
group by sdept
修改 set
1.将同学201215121的年龄改成22岁
update student
set sage=22 /*不是判等,是赋值*/
where sno='201215121'
2.将所有学生的年龄增加一岁
update student
set sage=sage+1 /*空值不计算,不可以用'自加一'*/
3.将计算机科学系的所有学生的成绩置为0
update sc
set grade=0
where sno in(select snofrom studentwhere Sdept='CS')
4.将计算机科学系所有成绩置为NULL
--1.相关子查询
update sc
set grade = null /*不可以用is,要用= */
where 'CS'=(select sdeptfrom studentwhere student.sno=sc.sno);
--2.不相关子查询
update sc
set grade=0
where sno in(select snofrom studentwhere sdept='CS');
5.将李勇同学的学号改为 ‘201315121’
--update student
--set sno='201315121'/*不可以修改,因为他在别的表里有参与*/
--where sname = '李勇'
6.修改陈冬的学号
update student
set sno = '201315129'/*主码不可以改成重复值*/
where sname='陈冬'
删除 delete
1.删除学号为’201215130’的学生
delete /*不可以写 delete* */
from student
where sno='201215130'
2.删除所有学生的选课记录
delete
from sc/*不写where,表示所有*/
3.删除所有计算机科学系学生的选课记录
delete
from sc
where sno in(select snofrom studentwhere sdept='CS');
--插入数据的时候注意外键优先录入--insert into student
--values('201215129','郭靖','',18,'CS');/*什么都不写不代表是NULL*/--select *
--from student
--where ssex is null;--insert into student (sno,sname,sage)
--values('201215130','黄蓉',17);/*这里的sage和是的sdept是空值NULL*//*如果有unique修饰的属性,是不允许为NULL的*/
这篇关于数据更新(2020-4-1)的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!