1

我试图通过从 MongoDb 查询来传递不同时间戳的值,然后以 JSON 的形式将它们传递给客户端。

然后客户端将读取 php 脚本返回的 JSON 对象,并在此基础上填充 flot 图表。

我无法做到这一点,并且有以下两个疑问/问题:

A.在 php 返回的 JSON 对象中,构造 JSON 对象的方式应该是什么?

目前,通过以下代码,正在生成 JSON,如下所示:

[{"1371859200000":65},{"1371860100000":63},{"1371861000000":48},{"1371861900000":47},{"1371862800000":41},{"1371863700000":19},{"1371864600000":35}]

以上是对的吗?或者数据应该是这样的:[["1371859200000":65],["137186​​0100000":63], ....]

他们两个有什么区别?(在上面的 '[' 被用来代替花括号)

B.在 PHP 中,strtotime 返回 int。但是,当我回显我的 JSON 对象时,时间戳的生成类似于“1371859200000”(即字符串)而不是 1371859200000(即 int)。为什么这样 ?我必须填充 flot 图表,并且时间戳必须以 int(而不是字符串)的形式出现才能填充 flot 图表。

以下是我的 PHP 代码(不是整个代码):

$date = 2;
$tsc = 15;
$result = array();
for ($hour = 0; $hour  < 24; $hour++) {
    for ($min_lower = 0; $min_lower <= 60-$tsc; $min_lower += $tsc) {
        // Query MongoDB.
        $query = array( "date" => $date, "hour" => $hour, "minutes" => array( '$gte' => $min_lower, "\$lt" => $min_lower+$tsc ) );
        $count = $coll->find($query)->count();
        $time = strtotime("2013-06-".strval($date)." ".strval($hour).":".strval($min_lower).":".strval(0)." UTC") * 1000;
        $data = array($time => $count);
        // Push this smaller array into the main array. Is this the correct way ?
        array_push($result, $data);
    }
}
echo json_encode($result);

以下是我的 javascript/jquery 代码:

var options = {
    lines: {
        show: true
    },
    points: {
        show: true
    },
    xaxis: {
        mode : "time",
        timeformat: "%m/%d/%y"
     }
};

$("button.fetch").click(function () {
    var button = $(this);
    var dataurl = "MY URL";// Here the URL comes.

    function onDataReceived(series) {
        data.push(series);
        $.plot("#placeholder", series, options);
    }
    $.ajax({
        url: dataurl,
        type: "GET",
        dataType: "json",
        success: onDataReceived
    });
 })
4

1 回答 1

1

A. [[key: value]]不是有效的 JavaScript 或 JSON 语法。对象只能有键值对,即花括号语法。

B.同样,对象键只能是字符串,不能是数字。它不是有效的 JSON 语法{123: "value"},它必须是{"123": "value"}.

两种可能的解决方案是

  1. 只需在 JS 端将键转换为数字;您可能会依赖于它们将始终是数字的事实
  2. 以不同的方式表示数据,[{"ts": 13456000, "count": 65}]因为值可以是数字,即使键不能。
于 2013-06-02T18:24:22.940 回答