使用多表解决左连接问题

时间:2012-10-27 02:34:28

标签: mysql left-join

我有一个涉及许多表和左连接的MySQL情况,我遇到了问题!

我会尝试逐步简化它。

我要做的主要任务是连接两个表。第一个表包含项目,第二个表包含对项目执行的操作。我需要输出items表的每一行(即使没有对它们执行任何操作),所以左连接似乎是解决方案:

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

现在事情变得复杂一些。我还需要使用另一个表(info)过滤掉一些项目。在那里,我不知道该怎么做。但是一个简单的连接和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为计数。

1 个答案:

答案 0 :(得分:1)

尝试以下连接(尝试在加入前首先应用过滤条件):

      SELECT item.ID, count(action.ID) as cnt 
      FROM item JOIN info
           ON (item.type=3 AND info.fr is not null AND info.itemID=item.itemID)
           LEFT JOIN action 
           ON (action.itemID=item.ID)
           JOIN subaction 
           ON (subaction.actionID=action.ID and subaction.type=6)  
      GROUP by item.ID;

修改

      SELECT item.ID, count(action.ID) as cnt 
      FROM item JOIN info
           ON (item.type=3 AND info.fr is not null AND info.itemID=item.itemID)
           LEFT JOIN 
           (select a.* FROM action 
              JOIN subaction 
               ON (subaction.actionID=action.ID and subaction.type=6)) AS act 
           ON (act.itemID=item.ID)
      GROUP by item.ID;