我有一个涉及许多表和左连接的 MySQL 情况,但我遇到了问题!
我将尝试逐步简化它。
我要做的主要任务是加入两个表。第一个表包含项目,第二个表包含对项目执行的操作。我需要输出项目表的每一行(即使没有对它们执行任何操作),所以左连接似乎是解决方案:
select item.ID, count(action.ID) as cnt
from item
left join action on action.itemID=item.ID
group by ID
下一步是我实际上只需要计算某些类型的项目。由于我不需要其他类型,因此我使用 where 子句将它们过滤掉。
select item.ID, count(action.ID) as cnt
from item
left join action on action.itemID=item.ID
where item.type=3
group by ID
现在事情变得有点复杂了。我还需要使用另一个表(信息)过滤掉一些项目。在那里,我不知道该怎么做。但是一个简单的 join 和 where 子句做到了。
select item.ID, count(action.ID) as cnt
from (item, info)
left join action on action.itemID=item.ID
where item.type=3 and info.itemID=itemID and info.fr is not null
group by ID
到目前为止,一切都很好。我的查询有效,性能符合预期。现在,我需要做的最后一件事是根据另一个表(子操作)过滤掉一些操作(不计算它们)。这是事情变得非常缓慢并使我感到困惑的地方。我试过这个:
select item.ID, count(action.ID) as cnt
from (item, info)
left join (
action join subaction on subaction.actionID=action.ID and subaction.type=6
) on action.itemID=item.ID
where item.type=3 and info.itemID=itemID and info.fr is not null
group by ID
此时,查询突然变慢了 1000 多倍。我显然做错了什么!
我尝试了一个简单的查询,几乎可以满足我的需要。唯一的问题是它不包括必须匹配操作的项目。但我也需要它们。
select item.ID, count(action.ID) as cnt
from item, info, action, subaction
where item.type=3 and info.itemID=itemID and info.fr is not null and
action.itemID=item.ID subaction.actionID=action.ID and subaction.type=6
group by ID
有人对如何解决这样的问题有建议吗?有没有标准的方法来做到这一点?非常感谢 !
编辑
实际上,我提交的最后一个查询几乎就是我所需要的:它不包含子查询,性能非常好,优化了我的索引,易于阅读等。
select item.ID, count(action.ID) as cnt
from item, info, action, subaction
where item.type=3 and info.itemID=itemID and info.fr is not null and
action.itemID=item.ID subaction.actionID=action.ID and subaction.type=6
group by ID
唯一不起作用的小事情是当 count(action.ID) 为 0 时不包含 item.ID。
所以我想我的问题真的是我应该如何稍微修改上面的查询,以便它在 count(action.ID) 为 0 时也返回 item.IDs。据我所知,这不应该改变性能和索引使用。只需将那些额外的 item.ID 包含为 0 作为计数。