0

这是我在使用PHP查询mysql数据时经常遇到的一个问题,想知道有没有更高效的解决方案。当我只需要两列数据时,例如“id”和“price”列,我更喜欢这种“平面”格式:

array(
    id 1 => price 1,
    id 2 => price 2,
    id 3 => price 3,
    ...
);

或在 json 中:

[{"id 1":"price 1"},{"id 2":"price 2"},{"id 3":"price 3"}, ...]

我通常的解决方案是循环两次,如下所示:

require_once('server/connection.php');
$info = mysql_query("SELECT id, price FROM table");  

$array1 = array();
while ($row = mysql_fetch_assoc($info)) {
    $array1[] = array(
        'id' => $row['id'],
        'price' => $row['price']
    );
}
mysql_close($con);

$array2 = array();
foreach ($array1 as $key => $value) {
    $array2[$key][$value['id']] = $value['price'];
}

print json_encode($array2);

这确实有效,但我认为这段代码对于它的目的来说太长了,应该有更好的方法——所以我只需要循环一个数组。有什么建议么?

4

3 回答 3

0

您可以将循环简化为此

while ($row = mysql_fetch_assoc($info)) {
    $array1[] = array(
        'id '.$row['id'] => 'price '.$row['price']
    );
}

print json_encode($array1);
于 2012-08-15T14:55:51.697 回答
0
$result = array();
while ($row = mysql_fetch_assoc($info)) {
    $result[$row['id']] = $row['price'];
}
print_r($result);
于 2012-08-15T15:03:35.997 回答
0
require_once('server/connection.php');
$info = mysql_query("SELECT id, price FROM table");  

$array1 = array();
while ($row = mysql_fetch_assoc($info))
    $array1[$row['id']] = $row['price'];
mysql_close($con);

print json_encode($array1);

注意:您的 $array2 是一个二维数组。如果它适合您,您需要更改您的 javascript 代码以处理以下平面格式,即上面的代码产生

[{"id 1":"price 1"},{"id 2":"price 2"},{"id 3":"price 3"}, ...]
于 2012-08-15T15:09:17.943 回答