1

首先,对不起,如果标题令人困惑。
SQL 不是我的强项,我已经为此工作了一段时间,我现在的想法是加入,也许是组。

索托示例:

record | type | key1  | key2    | data1
---------------------------------------
1      | 1    | joe   | smoe    | 10
2      | 2    | homer | simpson | 20
3      | 1    | null  | null    | 30
4      | 3    | bart  | simpson | 40 

其中主键由id、key1、key2组成。

我只想要“类型”的行,其中 key1 不为空且 key2 不为空。

因此,由于在记录 3 中,类型 1 具有空键,因此我希望类型 1 的所有记录不包含在派生表中。

4

1 回答 1

1

这是一种相关的“不存在”方法:

select *
from T as t1
where not exists (
    select *
    from T as t2
    where t2.type = t1.type and (t2.key1 is null or t2.key2 is null)
)

这是一个使用非相关查询和分组的查询。也许这就是你的想法:

select *
from T as t1
where t1.type in (
    select t2.type
    from T as t2
    group by t2.type
    having count(*) = count(t2.key1) and count(*) = count(t2.key2)
)

由于我了解 mysql 查询计划可能对这些事情很敏感。这是一个连接的等价物:

select t1.*
from T as t1
    inner join
    (
        select t2.type
        from T as t2
        group by t2.type
        having count(*) = count(t2.key1) and count(*) = count(t2.key2)
    ) as goodtypes
        on goodtypes.type = t1.type
于 2012-08-19T19:57:41.053 回答