转:http://www.cnblogs.com/fanweixiao/archive/2008/03/30/1129482.html
首先,建立两个表:
CREATE TABLE #a (ID INT)
INSERT INTO #a VALUES (1)
INSERT INTO #a VALUES (2)
INSERT INTO #a VALUES (null) 
CREATE TABLE #b (ID INT)
INSERT INTO #b VALUES (1)
INSERT INTO #b VALUES (3) 我们的目的是从表#b中取出ID不在表#a的记录。
如果不看具体的insert的内容,单单看这个需求,可能很多朋友就会写出这个sql了:
select * from #b where id not in (select id from #a)但是根据上述插入的记录,这个sql检索的结果不是我们期待的ID=3的记录,而是什么都没有返回。原因很简单:在子查询select id from #a中返回了null,而null是不能跟任何值比较的。
那么您肯定会有下面的多种写法了:
select * from #b where id not in (select id from #a where id is not null)
select * from #b b where b.id not in (select id from #a a where a.id=b.id)
select * from #b b where not exists (select 1 from #a a where a.id=b.id)当然还有使用left join/right join/full join的几种写法,但是无一例外,都是比较冗长的。其实在SQL Server 2005增加了一种新的方法,可以帮助我们很简单、很简洁的完成任务:
select * from #b
except
select * from #a我不知道在SQL Server 2008里还有没有什么更酷的方法,但是我想这个应该是最简洁的实现了。当然,在2005里还有一种方法可以实现:
select * from #b b
outer apply
(select id from #a a where a.id=b.id) k
where k.id is nullouter apply也可以完成这个任务。
如果我们要寻找两个表的交集呢?那么在2005就可以用intersect关键字:
select * from #b
intersect
select * from #a
ID
-----------
1
(1 row(s) affected)
本文详细介绍了如何利用 SQL Server 2005 的新特性,通过简洁的语法实现数据库中记录的高效查询与操作,特别关注于排除特定条件下的记录以及获取两个表的交集或差集。通过实例演示了多种 SQL 查询方法,旨在提高数据处理效率。
218

被折叠的 条评论
为什么被折叠?



