0

我有一个使用 mysql 中的子查询的查询,它变得非常慢,最多需要几分钟,而我所做的所有其他查询都非常快。

当我发现子查询很可能是一个坏主意时,所以我想将此子查询转换为连接,就像我对所有其他使用对性能影响很大的子查询的查询所做的那样。

我的大多数其他查询都非常简单,但这个让我抓狂。

这是一个例子。

我有客户和账单。客户有多个账单。法案有状态。账单有一个参数“随便”。

我需要更新“所有账单都处于状态 1 或 2 并且账单参数不是 2 的所有客户端”

因为我不知道该怎么做,所以我使用了反转,即“所有没有账单的客户不在状态 1 和状态 2 中,并且账单参数不是 2”

这是我现在使用的两个带有子查询的变体,一个使用 count,一个使用“not in”,但它们似乎同样慢。

update client cl , bill bi 
set cl.parameter = "parameter1" 
where cl.parameter="parameter2" 
    and bi.whatever != "2" 
    and bi.client_id = cl.id  
    and (select count(cl.id) 
            from bill bi 
                where bi.client_id = cl.id 
                    and bi.state!="state0" 
                    and bi.state != "state1" 
        ) = 0;

mysql状态“发送数据”变慢

update client cl , bill bi 
set cl.parameter = "parameter1"  
    where  cl.parameter="parameter2" 
        and bi.whatever != "2" 
        and bi.client_id = cl.id  
        and cl.id not in  (select distinct cl.id 
                                from bill bi  
                                    where bi.client_id = cl.id 
                                        and  ( bi.state!="state1" 
                                        and bi.state != "state2" 
                            ) ;

在 mysql 状态下变慢“复制到临时表”

我尝试了几个小时,但如果没有那个缓慢的子查询,我无法将其转换为有用的东西。谁能告诉我如何使用连接或比现在更快的方法来做到这一点?

更新

多亏了 DRapp,这产生了完全相同的结果并且速度更快。对于我到目前为止可以测试的内容,查询时间减少到几秒钟,而且是几分钟前。

select
  c.id,
  sum( if( b.State IN ( "State1", "State2" ), 1, 0 )) as OkStatesCnt,
  sum( if( b.State NOT IN ( "State1", "State2" ) or b.whatever=2, 1, 0 )  ) as AnyOtherState
from
  client c
     join bill b
        ON c.id = b.client_id
where
  c.parameter = "parameter2"
   group by
      c.id
  having
      OkStatesCnt > 0
  AND AnyOtherState = 0

UPDATE client cl,
  ( full select query from above ) as PreQualified
 set cl.parameter = "parameter1"
 where cl.id = PreQualified.id
4

1 回答 1

0

为了预先确保将包含哪些客户端,您可以自行运行此查询...

select
      c.id,
      sum( if( b.State IN ( "State1", "State2" ), 1, 0 )) as OkStatesCnt,
      sum( if( b.State IN ( "State1", "State2" ), 0, 1 )) as AnyOtherState
   from
      client c
         join bill b
            ON c.id = b.client_id
           AND b.whatever != "2"
   where
      c.parameter = "parameter2"
       group by
          c.id
   having
          OkStatesCnt > 0
      AND AnyOtherState = 0

如果这实际上是您正在寻找的,您可以在您的更新中实施,例如

UPDATE client cl,
      ( full select query from above ) as PreQualified
   set cl.parameter = "parameter1"
   where cl.id = PreQualified.id
于 2012-04-27T01:47:42.333 回答