1. 程式人生 > >MySQL中的交並差

MySQL中的交並差

true 其中 sql aps where HP 我們 計數 char

Mysql只提供了並集(union),沒有提供差集,和交集,但是我們可以用union來實現交和差,下面即是實現方式:

首先創建兩個表:

ERROR 1064 (42000):
mysql> create table k1(
    -> name varchar(20));
Query OK, 0 rows affected (0.05 sec)

mysql> insert into k1 value(‘張‘),(‘三‘),(‘風‘);
Query OK, 3 rows affected (0.02 sec)
mysql> create table k2(
    -> name varchar(20));
Query OK, 0 rows affected (0.04 sec)
mysql> insert into k2 value(‘張‘),(‘三‘),(‘王‘),(‘四‘),(‘李‘); Query OK, 5 rows affected (0.01 sec)

查詢展示:

mysql> select * from k1;
+------+
| name |
+------+
| 張   |
| 三   |
| 風   |
+------+
3 rows in set (0.00 sec)

mysql> select * from k2;
+------+
| name |
+------+
| 張   |
| 三   |
| 王   |
| 四   |
| 李   |
+------+
5 rows in set (0.00 sec)

1.並union

mysql> select * from k1
    -> union
    -> select * from k2;
+------+
| name |
+------+
| 張   |
| 三   |
| 風   |
| 王   |
| 四   |
| 李   |
+------+
6 rows in set (0.00 sec)

2.並(思想就是:查詢兩個表合並後,count大於1的)

mysql> select * from (select * from k1 union all select * from k2) as a group by name having count(name) >1;
+------+
| name |
+------+
| 三   |
| 張   |
+------+
2 rows in set (0.00 sec)
需要註意的幾點:
1.我們使用在from後的子查詢展示的表必須有別名,這裏我設置為a
2.使用union等交差並默認是展示distinct的,這裏我們必須把所有的展示出來,所以要使用union all
3.從聯合的表中查詢後,按名字進行分組,然後過濾計數小於2的就為我們想要的結果

3.差(思想:先取其中不重復條目,然後再找屬於被減數表的)

mysql> select * from (select * from k1 union all select * from k2) as a where name in (select name from k2) group by name having count(name) = 1;
+------+
| name |
+------+
| 李   |
| 四   |
| 王   |
+------+
3 rows in set (0.00 sec)
需要註意的幾點:
1.先查詢所有聯合的表中count等於1的
2.然後再找屬於k2裏的
3.所以這個查詢的結果就為k2-k1

  

MySQL中的交並差