1

我正在处理一个依赖时间的脚本,并使用 microtime() 来查找瓶颈。我确定时间增加是由于对 300 多个值进行检查,以查看它们是否存在于数据库中,每次查询时间为 0.04 秒。

脚本的背景是它是一个缓存脚本。我需要查看它是否存在于数据库中,所以我需要一个真/假(由 rowCount 获得),但我还需要一种将假与值相关联的方法,以便我可以更新它。我知道使用 WHERE 标记 IN (:ARRAY) 会比单独调用更快,但我想不出一种方法将真/假关联应用于此方法中的值。

我当前的代码如下:

//loop through all our values!
    //prepare out reusuable statement
$stmt = $db->prepare("SELECT * from cache WHERE value=?");

foreach($values as $tempVal)
{
    //find if its in the database
    try
    {
        $stmt->execute(array($tempVal));
        $valCount = $stmt->rowCount();
    } catch(PDOException $ex) {
        echo "PDO error send this to us: " . $ex->getMessage();
    }

    //update flag
    $addToUpdate = 1;

    //if its in the database
    if($valCount > 0)
    {
        //get the tag data
        $valRes= $stmt->fetch();

        //check if cache expired
                    $addToUpdate = 0;
    } 

    //add to update list
    if($addToUpdate)
    {
                    //needs updating
        $updateList[] = $tempVal;

        //add to not in DB list to minimize queries
        if($tagTCount == 0)
        {
            $notInDB[$tempVal] = $tempVal;
        }
    }   

有什么建议么?如果有什么不清楚的地方,我可以解释更多。

谢谢你,尼克

4

1 回答 1

2

因此,您只需使用IN (?,?,?,?,?...)列表发出带有完整数组的查询:

// abstract, use a PDO wrapper of your choosing
$query = db("SELECT * FROM cache WHERE value IN (??)", $values);

然后遍历结果列表。只有匹配的 $values 才会返回。因此,从中构建您的第一个列表:

foreach ($query as $row) {
     $updateList[] = $row["value"];
}

要获取缺失条目的列表,只需将其与原始数组进行比较

$notInDB = array_diff($values, $updateList);

您当然可以使用第二个NOT IN查询。但是在 PHP 中进行这种区分更简单。

于 2012-09-05T03:10:36.633 回答