MySQL基础教程之IN的用法详解
程序员文章站
2023-12-13 14:39:46
mysql in 语法
in 运算符用于 where 表达式中,以列表项的形式支持多个选择,语法如下:
where column in (value1,valu...
mysql in 语法
in 运算符用于 where 表达式中,以列表项的形式支持多个选择,语法如下:
where column in (value1,value2,...) where column not in (value1,value2,...)
当 in 前面加上 not 运算符时,表示与 in 相反的意思,即不在这些列表项内选择。
in 使用实例
选取 uid 为 2、3、5 的用户数据:
select * from user where uid in (2,3,5)
返回查询结果如下:
uid | username | password | regdate | |
---|---|---|---|---|
2 | 小明 | a193686a53e4de85ee3f2ff0576adf01 | xiao@163.com | 1278063917 |
3 | jack | 0193686a35e4de85ee3f2ff0567adf490 | jack@gmail.com | 1278061380 |
5 | 5idev | a193686a53e4de85ee3f2ff0576adf01 | 5idev@5idev.com | 1291107029 |
in 子查询
更多情况下,in 列表项的值是不明确的,而可能是通过一个子查询得到的:
select * from article where uid in(select uid from user where status=0)
在这个 sql 例子里,我们实现了查出所有状态为 0 的用户(可能是被禁止)的所有文章。首先通过一个查询得到所有所有 status=0 的用户:
select uid from user where status=0
然后将查询结果作为 in 的列表项以实现最终的查询结果,注意在子查询中返回的结果必须是一个字段列表项。
in 运算符补充说明
in 列表项不仅支持数字,也支持字符甚至时间日期类型等,并且可以将这些不同类型的数据项混合排列而无须跟 column 的类型保持一致:
select * from user where uid in(1,2,'3','c')
一个 in 只能对一个字段进行范围比对,如果要指定更多字段,可以使用 and 或 or 逻辑运算符:
select * from user where uid in(1,2) or username in('admin','manong')
使用 and 或 or 逻辑运算符后,in 还可以和其他如 like、>=、= 等运算符一起使用。
关于 in 运算符的效率问题
如果 in 的列表项是确定的,那么可以用多个 or 来代替:
select * from user where uid in (2,3,5)
// 等效为:
select * from user where (uid=2 or aid=3 or aid=5)
一般认为,如果是对索引字段进行操作,使用 or 效率高于 in,但对于列表项不确定的时候(如需要子查询得到结果),就必须使用 in 运算符。另外,对于子查询表数据小于主查询的时候,也是适用 in 运算符的。
感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!