数据库应用中,我们经常需要向表中插入数据,insert语句是最常用的数据插入方式,根据目标表的数量,可以分为单表插入和多表插入。
目录
一、 单表插入(Single Table Insert)
二、 多表插入(Multi-table Insert)
2.1 单目标表多列插入
2.2 多目标表条件插入
2.3 All和First关键字
单表插入是最常用插入方式,使用insert into … 语句向单一表的指定列或者全部列加载数据,也可以利用子查询从已有表中加载数据。
先建一张测试表,bonus列增加了default属性:
create table wage(
id number(6),
name varchar2(32),
salary number(6),
bonus number(6) default 100);
insert 语句中在表后提供列名,可以向指定列插入数据
insert into wage(id,name,salary) values(1,'Vincent',1000);
Select * from wage;
如果表名后没有指明列,意味着向所有列插入数据
insert into wage values(2,'Victor',2000,200);
insert into wage values(3,'Grace',3000,default);
insert into … select … 可以使用子查询向表中插入数据,过程中可以是对数据进行加工。要注意子查询的列一定要和加载目标表的列数量相等,如果忽略目标表的列只提供表名,那么子查询必须为每一列都提供数据:
create table wage_bak as select * from wage where 1=2;
Insert into wage_bak select id, name, salary+500, bonus from wage where id=1;
select * from wage_bak;
多表插入非常适合数据整理分配场景,如果利用单表插入,我们需要对每个条件查询一次源表并插入目标表,而多表插入可以直接定义多个条件,一次查询即可将所有数据分布到不同的表中。
在多表插入中,你必须通过子查询加载数据。但与单表插入不同的是,你可以更灵活的对子查询返回的每条数据进行条件判断,然后再指定插入一张或多张表。
这里再建一张测试表income,用多表插入的方式将数据从wage加载到income,注意income的表结构与wage不同,它新增了type列来区分收入类型。
create table income(
id number(6),
name varchar2(64),
type varchar2(64),
amount number(6));
将数据从wage加载到income,要求当type为"sal"时,加载salary列,当type为"bou"时,加载bonus列:
insert all
into income(id, name, type, amount) values(id, name, 'sal', salary)
into income(id, name, type, amount) values(id, name, 'bou', bonus)
select id,name,salary,bonus from wage;
select * from income;
现需要将wage表中记录根据工资高低,把数据分布到3张不同的表中,先通过wage复制3张表:
create table low_wage as select * from wage where 1=2;
create table medium_wage as select * from wage where 1=2;
create table high_wage as select * from wage where 1=2;
通过多表插入的when … then … else 语句可以对子查询的每一条数据进行判断,将满足条件的数据分配到指定表中:
insert all
when salary <= 1000 then into low_wage
when salary >1000 and salary <=2000 then into medium_wage
else into high_wage
select * from wage;
Select * from low_wage;
Select * from medium_wage;
Select * from high_wage;
上面示例中,insert后面的关键字是all,代表每条记录都会针对每个when条件做评估。
另一个关键字first,insert first表示发现第一个满足的条件即"熔断",剩余的条件不再评估。all/first关键字在条件范围重叠时会导致不同的结果,在实际应用中要注意。
下面将low_wage表清空,设置两个重叠的条件,分别用all和first关键字插入:
truncate table low_wage;
insert all
when salary <= 1000 then into low_wage
when salary <= 1500 then into low_wage
select * from wage where salary=1000;
select * from low_wage;
truncate table low_wage;
insert first
when salary <= 1000 then into low_wage
when salary <= 1500 then into low_wage
select * from wage where salary=1000;
select * from low_wage;