1

我有来自条纹的 json,我正在尝试将它解码为 json_decode。

我没有收到错误。只是什么都没有回来。我正在从条带中取回数据,但我无法对其进行解码。

{
   "created":1326853478,
   "data":{
      "object":{
         "amount":4500,
         "card":{
            "country":"US",
            "cvc_check":"pass",
            "exp_month":7,
            "exp_year":2014,
            "fingerprint":"9aQtfsI8a17zjEZd",
            "id":"cc_00000000000000",
            "last4":"9782",
            "object":"card",
            "type":"Visa"
         },
         "created":1322700852,
         "currency":"usd",
         "disputed":false,
         "fee":0,
         "id":"ch_00000000000000",
         "livemode":false,
         "object":"charge",
         "paid":true,
         "refunded":true
      }
   },
   "id":"evt_00000000000000",
   "livemode":false,
   "type":"charge.refunded"
}

// retrieve the request's body and parse it as JSON
$body = @file_get_contents('php://input');

$event_json = json_decode($body,true);
print_r($event_json);

有任何想法吗?

4

2 回答 2

1

在这里,我运行了这个:

<?php
     $data = '{ "created": 1326853478, "data": { "object": { "amount": 4500, "card": { "country": "US", "cvc_check": "pass", "exp_month": 7, "exp_year": 2014, "fingerprint": "9aQtfsI8a17zjEZd", "id": "cc_00000000000000", "last4": "9782", "object": "card", "type": "Visa" }, "created": 1322700852, "currency": "usd", "disputed": false, "fee": 0, "id": "ch_00000000000000", "livemode": false, "object": "charge", "paid": true, "refunded": true } }, "id": "evt_00000000000000", "livemode": false, "type": "charge.refunded" }';

    $arr = json_decode($data, true);

    print_r($arr);

?>

它奏效了。所以,理论上你应该能够使用:

<?php

    $arr = json_decode(file_get_contents('php://input'), true);

    print_r($arr);

?>

正如 Ignacio Vazquez-Abrams 所说,不要使用“@”字符,因为它会掩盖错误消息并使其更难调试。

我还会检查您拥有的 PHP 版本。json_decode() 仅适用于 5.2.0 及更高版本。

于 2012-05-08T20:53:37.120 回答
1

php://input流允许您从请求正文中读取原始数据。该数据将是一个字符串,根据请求中的值类型,将类似于:

"name=ok&submit=submit"

不是JSON,因此不会以您期望的方式解码为 JSON 。如果无法解码,该json_decode()函数将返回null

您从哪里获得上面发布的 JSON?这是您需要传递给json_decode().

如果 JSON 在请求中传递,就像在回调实例中一样,您仍然需要解析该部分以仅获取 JSON。如果php://input流给你name=ok&submit=submit&json={"created": 1326853478}那么你必须把它解析出来。您可以使用PHP 手册中的此函数来分隔值以像$_POST数组一样工作:

<?php
   // Function to fix up PHP's messing up POST input containing dots, etc.
   function getRealPOST() {
      $pairs = explode("&", file_get_contents("php://input"));
      $vars = array();
      foreach ($pairs as $pair) {
         $nv = explode("=", $pair);
         $name = urldecode($nv[0]);
         $value = urldecode($nv[1]);
         $vars[$name] = $value;
      }
      return $vars;
   }
?>

要使用它:

$post = getRealPOST();
$stripe_json = $post['json'];
$event_json = json_decode($stripe_json);
于 2012-05-08T20:56:42.043 回答