not in在结果集有null值的时候失效
Posted zZach
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了not in在结果集有null值的时候失效相关的知识,希望对你有一定的参考价值。
问题描述
一次碰上测试提出的bug是:新增了一条收费规则之后,另一个关联的功能就查不出数据了,经过排查发现是当not in在子查询有null的时候,会查不出任何结果。
业务背景
两张表,一张为协议表(agreement),一张为收费规则表(cost_rule),对于每个agreement,可以设定一条收费规则,按照收费规则表中的agreement_id关联,但是可以有一条默认的收费规则(也就是没有指定收费规则的,按照默认规则收费),所以默认规则的agreement_id为null
场景还原
-- 协议表
create table agreement(id bigint primary key auto_increment, agreement_no varchar(20) unique, agreement_name varchar(50));
-- 收费规则表
create table cost_rule(id bigint primary key auto_increment, agreement_id bigint, rate_value decimal(16.8));
-- 插入测试数据
insert into agreement(agreement_no, agreement_name) value('TEST-001', 'AB');
insert into agreement(agreement_no, agreement_name) value('TEST-002', 'CD');
insert into agreement(agreement_no, agreement_name) value('TEST-003', 'EF');
insert into cost_rule(agreement_id, rate_value) value(1, 0.0002);
insert into cost_rule(agreement_id, rate_value) value(2, 0.0003);
-- 在新增收费规则的时候,只能选择还没有设定收费规则的协议
select *
from agreement
where id not in (
select agreement_id
from cost_rule
)
and id = 3
查询结果:
id | agreement_no | agreement_name |
---|---|---|
3 | TEST-003 | EF |
此时还是能够查询的出结果的,但是当收费规则表中新增一条agreement_id为null的默认收费规则时,结果就不对了:
insert into cost_rule(rate_value) value(0.0003);
查询结果:
id | agreement_no | agreement_name |
---|---|---|
NULL | NULL | NULL |
新增之后,查询结果就没有了。
如何处理
要对查询语句进行改进:
-- 1. 子查询增加is not null条件
select *
from agreement
where id not in (
select agreement_id
from cost_rule
-- 子查询中增加了is not null条件
where agreement_id is not null
)
and id = 3
-- 2. 用IFNULL函数将null改为别的结果(一个不可能的值)
select *
from agreement
where id not in (
select IFNULL(agreement_id, -1)
from cost_rule
)
and id = 3
以上是关于not in在结果集有null值的时候失效的主要内容,如果未能解决你的问题,请参考以下文章