3

我在 MySQL 中的 SELECT 查询有点问题,我会感谢一些指针。请随时指出我现有的答案(如果有一个我错过了)。

目前查询如下:

SELECT e.*, ie.aaa, ue.bbb, ue.ccc
FROM ie
LEFT JOIN e ON ie.e_id = e.e_id
LEFT JOIN ue ON ie.e_id = ue.e_id
WHERE ie.other_id = ? AND ue.unrelated_id = ?
ORDER BY ...

共有三个表:ieeue

ieuee的关系,因此包含它的外键 (e_id)。? 表示输入参数。

问题是ue.unrelated_id = ? 部分。我在这里真正想做的是:

  • 当且仅当 unrelated_id = ? 存在 ue 关系时才返回 ue.ccc。如果它不存在,我希望该字段为空。
  • 即使 unrelated_id 的 ue 关系 = ? 不存在,此查询应始终返回剩余字段(即保证存在 other_id = ?)。

不幸的是,如果我删除这个 where 子句,我会得到一个“随机”的 unrelated_id 的 ue.ccc。但是如果我保留它,如果这个 unrelated_id 不存在 ue,查询将根本不会返回任何结果!我还尝试添加 OR ue.unrelated_id IS NOT NULL,但是如果 ue 表为空,这会使查询不返回任何结果。

有任何想法吗?如果您需要进一步说明,请发表评论。我应该在接下来的几个小时内迅速回答。

4

1 回答 1

8

你可以做以下两件事之一:

SELECT e.*, ie.aaa, ue.bbb, ue.ccc
FROM ie
LEFT JOIN e ON ie.e_id = e.e_id
LEFT JOIN ue ON ie.e_id = ue.e_id AND ue.unrelated_id = ?
WHERE ie.other_id = ? 
ORDER BY ...

或者

SELECT e.*, ie.aaa, ue.bbb, ue.ccc
FROM ie
LEFT JOIN e ON ie.e_id = e.e_id
LEFT JOIN ue ON ie.e_id = ue.e_id
WHERE ie.other_id = ? AND (ue.unrelated_id IS NULL OR ue.unrelated_id = ?)
ORDER BY ...

但是,我会使用第一个查询。

编辑:请注意,第二个查询仅在ue.unrelated_id不是可为空的列时才适用。

于 2012-08-10T17:55:36.203 回答