从table1中选择不在table2中使用where子句的特定数据
我想从table1中选择不在table2中的数据,但我必须从table1中选择一个特定的数据
我的数据表
CREATE TABLE IF NOT EXISTS `table3` (
`id` int(11) NOT NULL AUTO_INCREMENT,
`acc_id` int(11) NOT NULL DEFAULT '0',
`did` int(11) NOT NULL,
PRIMARY KEY (`id`)
)
CREATE TABLE IF NOT EXISTS `table2` (
`id` int(11) NOT NULL AUTO_INCREMENT,
`acc_id` int(11) NOT NULL,
`table1_id` int(11) NOT NULL,
`did` int(11) NOT NULL,
PRIMARY KEY (`id`)
)
CREATE TABLE IF NOT EXISTS `table1` (
`id` int(11) unsigned NOT NULL AUTO_INCREMENT,
`acc_id` int(11) NOT NULL DEFAULT '0',
`name` varchar(50) DEFAULT NULL,
PRIMARY KEY (`id`)
)
我想要做
从table1中选择name,id其中id!=(从table2中选择table1_id在table2.acc_id = table3.acc_id中添加table3,其中table2.did = 4759505和table2.acc_id = 2)以及table1.acc_id = 2
如果子查询返回1行,则上述查询很好,但如果子查询返回多行,则不会
谢谢
您可以将!=
更改为not in
:
select name, id
from table1
where id not in (select table1_id
from table2 join
table3
on table2.acc_id = table3.acc_id
where table2.did = 4759505 and table2.acc_id = 2
) and
table1.acc_id = 2;
注意:您还应该确保子查询中的table1_id
永远不为NULL
。 在这种情况下, NOT IN
可能不直观。 通常,我更喜欢NOT EXISTS
:
select name, id
from table1
where not exists (select table1_id
from table2 join
table3
on table2.acc_id = table3.acc_id
where table2.did = 4759505 and table2.acc_id = 2 and
table1_id = table1.id
) and
table1.acc_id = 2;
这更直观地处理NULL
值。
上一篇: select particular data from table1 which is not in table2 with where clause