条件SQL的多条件条件

时间:2014-01-28 22:08:15

标签: mysql sql

我有两个表,其中一个表具有不同日期的不同值,另一个表确定我应该从第一个表中查看哪些数据。这是一个例子:

mysql> select * from test_table;
+----+---------+---------------------+-------+
| id | test_id | ymd                 | value |
+----+---------+---------------------+-------+
|  1 |       1 | 2013-01-01 00:00:00 |     5 |
|  2 |       1 | 2013-01-02 00:00:00 |     5 |
|  3 |       1 | 2013-01-03 00:00:00 |     5 |
|  4 |       2 | 2013-01-01 00:00:00 |     5 |
|  5 |       2 | 2013-01-02 00:00:00 |     2 |
|  6 |       2 | 2013-01-03 00:00:00 |     3 |
|  7 |       2 | 2013-01-04 00:00:00 |     4 |
|  8 |       2 | 2013-01-05 00:00:00 |     5 |
|  9 |       3 | 2013-01-06 00:00:00 |     6 |
+----+---------+---------------------+-------+

mysql> select * from test_ymd;
+----+---------+---------------------+
| id | test_id | ymd                 |
+----+---------+---------------------+
|  1 |       1 | 2013-01-02 00:00:00 |
|  2 |       2 | 2013-01-03 00:00:00 |
+----+---------+---------------------+

我想写一个这样的查询:

mysql-local> select * from test_table where (test_id=1 and ymd>'2013-01-02') or (test_id=2 and ymd>'2013-01-03');
+----+---------+---------------------+-------+
| id | test_id | ymd                 | value |
+----+---------+---------------------+-------+
|  3 |       1 | 2013-01-03 00:00:00 |     5 |
|  7 |       2 | 2013-01-04 00:00:00 |     4 |
|  8 |       2 | 2013-01-05 00:00:00 |     5 |
+----+---------+---------------------+-------+

然而,对于大量的test_ids,这显然变得很糟糕。有没有一种快速简便的方法在mysql中执行此操作?

更新

联接是一种很好的方式(感谢Gordon)

mysql-local> select tt.* from test_table tt join test_ymd tymd on tt.test_id = tymd.test_id and tt.ymd > tymd.ymd;
+----+---------+---------------------+-------+
| id | test_id | ymd                 | value |
+----+---------+---------------------+-------+
|  3 |       1 | 2013-01-03 00:00:00 |     5 |
|  7 |       2 | 2013-01-04 00:00:00 |     4 |
|  8 |       2 | 2013-01-05 00:00:00 |     5 |
+----+---------+---------------------+-------+

我也很好奇是否有办法在where子句中做到这一点。

2 个答案:

答案 0 :(得分:3)

您想要加入:

select tt.*
from test_table tt join
     test_ymd tymd
     on tt.test_id = tymd.test_id and tt.ymd > tymd.ymd;

编辑:

您可以使用显式加入来执行此操作。一种典型的方法是使用exists

select tt.*
from test_table tt
where exists (select 1
              from test_ymd tymd
              where tt.test_id = tymd.test_id and tt.ymd > tymd.ymd
             );

如果您在test_ymd(test_id, ymd)上有索引,那么exists就有优势。如果test_ymd表中有一个id的重复行,则不存在在结果中出现重复的危险。

答案 1 :(得分:0)

加入两个表,如

select temp.* from test_table temp join test_ymd temptymd
 on temp.test_id = temptymd.test_id and temp.ymd > temptymd.ymd;