1

我正在向 MySQL 询问数据,但它减慢了整个脚本的速度。但是我不知道如何摆脱这个循环。我尝试将其转换为 PHP 数组,但老实说,经过一天的尝试我失败了。

<?php

$id = '1';

include_once 'include_once/connect.php';

for ($x = 1; $x <= 5; $x++) {
for ($y = 1; $y <= 5; $y++) {

    $xy = $x."x".$y;

    $pullMapInfo = "SELECT value FROM mapinfo WHERE id='".$id."' AND xy='".$xy."'";
    $pullMapInfo2 = mysql_query($pullMapInfo) or die('error here');

    if ($pullMapInfo3 = mysql_fetch_array($pullMapInfo2)) {
        #some code
    } else {
        #some code
    }
}
}

?>

如何$pullMapInfo2通过询问一次来使 MySQL 查询脱离循环以缩短加载时间?

如果你想在你的本地主机上触发脚本,你可以 c&p 整个事情:-)

4

2 回答 2

1

我不确定您的表中有什么,但考虑到您基本上是在遍历其中的几乎所有内容,我会说对给定的 Id 进行一次查询,然后从更大的数据集中整理出您需要的内容。

尤其是如果您总是从本质上拉回每个 id 的完整数据集,那么甚至没有理由为IN查询而烦恼,只需将其全部拉回单个 PHP 数组中,然后根据需要对其进行迭代。

于 2012-09-09T11:02:00.917 回答
0

使用MySQL IN子句

<?php

$id = '1';

include_once 'include_once/connect.php';

// first we create an array with all xy
$array = array();
for ($x = 1; $x <= 5; $x++) {
    for ($y = 1; $y <= 5; $y++) {
        $xy = $x."x".$y;
        $array[] = $xy;
    }
}

$in = "'" . implode("', '", $array) . "'";
$pullMapInfo = "SELECT xy, value FROM mapinfo WHERE id='".$id."' AND xy IN ({$in})";
$pullMapInfo2 = mysql_query($pullMapInfo) or die('error here');

// we create an associative array xy => value
$result = array();
while (($pullMapInfo3 = mysql_fetch_assoc($pullMapInfo2)) !== false) {
    $result[ $pullMapInfo3['xy'] ] = $pullMapInfo3['value'];
}


// we make a loop to display expected output
foreach ($array as $xy)
{
    if (array_key_exists($xy, $result)) {
        echo '<div class="castle_array" style="background-image: url(tiles/'.$result[$xy].'.BMP)" id="'.$xy.'">'. $result[$xy] .'</div>';
    } else {
        echo '<div class="castle_array" id="'.$xy.'"></div>';
    }
    echo '<div class="clear_both"></div>';
}

?>
于 2012-09-09T10:57:20.477 回答