文章目录
一、语法说明
exists:
括号内子查询sql语句返回结果不为空(即:sql返回的结果为真),子查询的结果不为空这条件成立,执行主sql,否则不执行。
not exists:
与exists相反,括号内子查询sql语句返回结果为空(即:sql不返回的结果为真),子查询的结果为空则条件成立,执行主slq,否则不执行。
总结:exists 和not exists语句强调是否返回结果集,不要求知道返回什么,与in的区别就是,in只能返回一个字段值,exists允许返回多个字段。
二、常用示例说明
创建示例数据,如下代码a表和b表为一对多关系。以下sql使用改示例数据。
createtable a(
id int,
name varchar(10));insertinto a values(1,'data1');insertinto a values(2,'data2');insertinto a values(3,'data3');createtable b(
id int,
a_id int,
name varchar(10));insertinto b values(1,1,'info1');insertinto b values(2,2,'info2');insertinto b values(3,2,'info3');createtable c(
id int,
name varchar(10),
c_date TIMESTAMP);insertinto c values(1,'c1','2023-02-21 17:01:00');insertinto c values(2,'c2','2023-02-21 17:02:00');insertinto c values(2,'c3','2023-02-21 17:03:00');
1.查询a表在b表中存在数据
相当于sql中in操作。
select*from a whereexists(select1from b where a_id=a.id )
以上sql等价于下面的sql
select*from a where id in(select a_id from b)
2.查询a表在b表中不存在数据
相当于sql中not in操作。
select*from a wherenotexists(select1from b where a_id=a.id )
以上sql等价于下面的sql
select*from a where id notin(select a_id from b)
3.查询时间最新记录
以下sql查询同一id内的c_date最近的记录。
SELECT*FROM c t1
WHERENOTEXISTS(select*from c where id = t1.id and c_date>t1.c_date)
分析:子查询中,先看id = 1 的情形,只有当t1.c_date 取最大值时,没有返回结果,因为是NOT EXISTS关键字,所以Where条件成立,返回符合条件的查询结果
4.exists替代distinct剔除重复数据
例如下面sql
SELECTdistinct a.id,a.name from a, b WHERE a.id=b.a_id;
使用exists提出重复,等价于上面的sql
select id,name from a whereexists(select1from b where a_id=a.id );
分析:RDBMS 核心模块将在子查询的条件一旦满足后,立即返回结果,所以自带去重
总结
word文档下载地址:sql语句中exists用法详解
版权归原作者 小马穿云 所有, 如有侵权,请联系我们删除。