0

我有一个足球奇幻联赛的 php 脚本,有 20 支球队和 400 多名球员分配给球队,我有 500 个用户。

每周应该为每个球员分配一个积分,这样最终每个用户都会从他的阵型中获得一个总分,这将产生赛季的排名。

第一周点数正常添加,但第二周点数的 addpont 部分变得如此缓慢,第三周点数出现套接字超时错误。

这是我在向用户添加积分时使用的代码:

// Adding Point To the user player list
$sql_user="select * from ".$prev."user LIMIT 0, 100 ";  

$re_user=mysql_query($sql_user);  
while($d_user=mysql_fetch_array($re_user))  
{  
$userID=$d_user['id'];  

  $sql_addpointgroup="select * from ".$prev."addpoint group by weekno order by weekno";  
  $re_addpointgroup=mysql_query($sql_addpointgroup);  
  while($d_addpointgroup=mysql_fetch_array($re_addpointgroup))  
  {     
      $points=0;  
      $sql_addpoint="select * from ".$prev."addpoint where   weekno='".$d_addpointgroup['weekno']."'";  
      $re_addpoint=mysql_query($sql_addpoint);  
      while($d_addpoint=mysql_fetch_array($re_addpoint))  
      {  
        $points=$d_addpoint['points'];  
        $sql_weekstatistic="select * from ".$prev."weekstatistic where   weekno='".$d_addpointgroup['weekno']."' and userID='$userID' and playerID='".$d_addpoint['playerID']."'";  
        $re_weekstatistic=mysql_query($sql_weekstatistic);  
        if(mysql_num_rows($re_weekstatistic)>0)  
        {  
            $sql_update="update ".$prev."weekstatistic set points='$points' where weekno='".$d_addpointgroup['weekno']."' and userID='$userID' and playerID='".$d_addpoint['playerID']."'";  

            mysql_query($sql_update);  
        }  
      }  
}     
}  

我已将每次提交的用户数量限制为 100 个用户,即便如此代码仍然很慢。

缓慢仅与此代码有关,其他网站部分正常工作。

有没有办法以其他更快的方式编写代码,或者我还能做些什么?

提前谢谢了,

4

2 回答 2

1
select * from

我希望您知道Query*中的含义。SELECT这意味着ALL COLUMNS。您不需要每行所有列的值。在您的查询中具体并仅选择您需要的列。

例如,这个查询:

$sql_weekstatistic="select * from ".$prev."weekstatistic where   weekno='".$d_addpointgroup['weekno']."' and userID='$userID' and playerID='".$d_addpoint['playerID']."'";  

您已经拥有以下价值:

weekno @ $d_addpointgroup['weekno']
userID @$userID
playerID @$d_addpoint['playerID']

基于其他查询。

但是,您仍然使用SELECT * FROM.

这是我关于性能和 SQL 的小技巧。

顺便说一句,按照@lshikawa 的建议,使用mysql_real_escape_tring(), 或 ,甚至更好地移动到mysqli或来保护您的查询。PDO

于 2012-08-26T19:41:32.590 回答
0

除了建议您遵循此线程中其他人的建议外,我不会提及 SQL 注入的问题。说真的 - 如果您要求人们提交个人数据以存储在您的数据库中,您应该保护他们不让这些数据被盗。

您的过程缓慢的原因可能是双重的。

首先,当只需要一个查询时,您使用了 5 个查询。您正在向数据库询问您用来向其提出更多问题的大量数据 - 在不了解您的架构的情况下,很难为您提供有效的替代品,但类似于:

update ".$prev."weekstatistic 
set      points   = ap.points 
from     weekstatistic ws, 
         addpoint      ap, 
         user          u
where    weekno   = //work out the current weeknumber 
and      userID   = u.userID 
and      playerID = ap.playerID'

这应该实现相同,但仅在一个查询中;那应该快得多。

其次,您的表上可能没有正确的索引 - 这是“当我在我的表中获得更多数据时,我的查询变得更慢”的典型原因。阅读 EXPLAIN,并添加一些索引。

于 2012-08-26T20:40:16.477 回答