Json_encode改变了我的查询顺序

时间:2013-12-19 23:03:47

标签: php mysql pdo sql-order-by json

我有一个按列排序的mysql查询。如果我只运行php,它工作正常。在我使用json_encode并将其发送到客户端后,订单将更改为主键。为什么这样做并且有解决方案?

查询看起来像:

try{
    $dbh = new PDO('mysql:host=localhost;dbname=Batik', 'root', 'root');
    $dbh->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_WARNING);
    $_SESSION['table'] = $_SESSION['category'] = $table = $_GET['button'];
    $count = $dbh->query("SELECT * FROM $table ORDER BY `order` ASC");
    $count->setFetchMode(PDO::FETCH_ASSOC);
    $myarray = array();
    while ($row = $count->fetch()) {
        $id = array_shift($row);
        $myarray[$id] = $row;
    }
    print json_encode($myarray);
}  catch (PDOException $exception) {
    echo "There was an error uploading your information, please contact James for assistance. "; 
    error_log($exception->getMessage());
 };

所以,我想要的输出和普通的php是这样的:(ID = primary_key)

  Order:     ID:      Location:
  1             4         foto1.jpg
  2             5         foto3.jpg
  3             3         foto2.jpg
  4             2          foto4.jpg
  5             1          foto5.jpg

在我对数组进行json_encode并输出到客户端之后,我得到了这个:(ID = primary_key)

  Order:     ID:       Location:
  5             1          foto5.jpg
  4             2          foto4.jpg
  3             3          foto2.jpg
  1             4          foto1.jpg
  2             5          foto3.jpg

我希望这是有道理的。

2 个答案:

答案 0 :(得分:4)

如果您使用带有数字的文字对象,客户端将按顺序对数组进行排序。 因此,如果你遗漏了id,你应该得到正确的内容。

替换

while ($row = $count->fetch()) {
    $id = array_shift($row);
    $myarray[$id] = $row;
}

//doing so you create this
json array=[
 0=undefined,
 1={order:5,id:1;location1},
 2={order:4,id:2;location2},
 3={order:3,id:3;location3},
 4={order:2,id:4;location4},
]
//error

while ($row = $count->fetch()) {
    $myarray[] = $row;
}

基本上你将你的文字对象转换成一个简单的数组。如果你开始删除一些图像,会导致几个错误。

然后你可能只需要id和位置

所以

SELECT id,location FROM ... ORDER BY order ASC

你有

[[1,location1],[2,location2]]

[{id:1,location:"location1"},{id:2,location:"location2"}]
  //0 wich is order 1        //1 wich is order 2

mysql查询创建的排序顺序是json数组索引。

答案 1 :(得分:3)

简短回答是:不要使用

$id = array_shift($row);
$myarray[$id] = $row;

构建你的数组。使用以下语法构建一个真正的基于0的数字索引数组:

$myarray[] = $row;

并且数组将按照它们循环的顺序构建,尽管记录结构略有不同(没有有意义的键)。

作为替代方案,为了保留您当前的结构,您可以使用* sort系列函数(特别是 usort )在php而不是SQL中对数组进行排序,就像这样(假设您的“顺序”) “字段为数字,有关字符串类型字段的示例,请参阅http://www.php.net/manual/en/function.usort.php

while ($row = $count->fetch()) {
    $myarray[] = $row;
}
usort($myarray,function ($a, $b){return ($a > $b) ? 1 : -1;});