考慮以下表格:
create table `t1` ( `date` date, `value` int ); create table `t2` ( `date` date, `value` int ); insert into `t1` (`date`, `value`) values ("2022-01-01", 1), ("2022-03-01", 3), ("2022-04-01", 4); insert into `t2` (`date`, `value`) values ("2022-01-01", 1), ("2022-02-01", 2), ("2022-04-01", 4);
t1
表格缺少2022-02-01
日期,t2
表格缺少2022-03-01
。我想要將這兩個表連接起來,產生以下結果:
| t1.date | t1.value | t2.date | t2.value | | | | | | | 2022-01-01 | 1 | 2022-01-01 | 1 | | null | null | 2022-02-01 | 2 | | 2022-03-01 | 3 | null | null | | 2022-04-01 | 4 | 2022-04-01 | 4 |
解決方案是使用全連接:
select * from `t1` left join `t2` on `t2`.`date` = `t1`.`date` union select * from `t1` right join `t2` on `t2`.`date` = `t1`.`date`;
這樣可以得到我想要的結果。但使用where
語句會破壞一切:
select * from `t1` left join `t2` on `t2`.`date` = `t1`.`date` where `t1`.`date` > "2022-01-01" union select * from `t1` right join `t2` on `t2`.`date` = `t1`.`date` where `t1`.`date` > "2022-01-01";
我期望得到這個結果:
| t1.date | t1.value | t2.date | t2.value | | | | | | | null | null | 2022-02-01 | 2 | | 2022-03-01 | 3 | null | null | | 2022-04-01 | 4 | 2022-04-01 | 4 |
但我得到了這個結果:
| t1.date | t1.value | t2.date | t2.value | | | | | | | 2022-03-01 | 3 | null | null | | 2022-04-01 | 4 | 2022-04-01 | 4 |
我知道出了什麼問題,但找不到解決方法。問題在於t1.date
> "whatever"過濾了t1
表中的所有空白行。我已經嘗試過這個方法,但不起作用:
where `t1`.`date` > "2022-01-01" or `t1`.`date` = null
你應該使用
"NULL = NULL" 的結果是 false,因為 NULL 沒有值。因此它不能與任何其他值相同(甚至是另一個 NULL)。正確的方法是使用
is null
似乎你應該在右邊連接查詢中使用
t2.date > "2022-01-01"
。在https://dbfiddle.uk/reo8UanD上查看示範。