对于SQL中的连接操作在实现业务需求的时候比较方便和高效,这里针对“全外连接”展示一下在Oracle中的两种写法。
每种写法因人而异,以达到实验需求为目的。
有关内连接,左连接和右连接的简单演示请参考:《【实验】内连接,左连接,右连接,全外连接》
http://space.itpub.net/519536/viewspace-5630191.创建实验表并初始化实验数据
SQL> create table a (a number(1),b number(1),c number(1));
SQL> create table b (a number(1),d number(1),e number(1));
SQL> insert into a values(1,1,1);
SQL> insert into a values(2,2,2);
SQL> insert into a values(3,3,3);
SQL> insert into b values(1,4,4);
SQL> insert into b values(2,5,5);
SQL> insert into b values(4,6,6);
SQL> commit;
2.查看一下初始化数据内容
sec@ora10g> select * from a;
A B C
---------- ---------- ----------
1 1 1
2 2 2
3 3 3
sec@ora10g> select * from b;
A D E
---------- ---------- ----------
1 4 4
2 5 5
4 6 6
3.第一种写法,这也是标准SQL的写法。功能明确,不过理解有点小障碍。
sec@ora10g> select * from a full outer join b on a.a = b.a;
A B C A D E
---------- ---------- ---------- ---------- ---------- ----------
1 1 1 1 4 4
2 2 2 2 5 5
3 3 3
4 6 6
4.第二种写法,思路是:全外连接就是左外连接和右外连接数据集合的并集。因此将左外连接和右外连接union后变得到我们的最终结果
sec@ora10g> select * from a, b where a.a = b.a(+)
2 union
3 select * from a, b where a.a(+) = b.a
4 /
A B C A D E
---------- ---------- ---------- ---------- ---------- ----------
1 1 1 1 4 4
2 2 2 2 5 5
3 3 3
4 6 6
5.注意
注意比较两种写法对于不同数据集合的结果。
-- The End --