我收到了包含json数据和其他数据的执行curl_exec的结果。我无法弄清楚如何编辑这个结果。特别是,我需要从结果中包含的json数据编辑一个值。例如,给出以下结果:如何从curl_exec解析结果以提取PHP中的json数据
RESPONSE: HTTP/1.1 400 Bad Request
Server: nginx
Date: Sat, 10 Jan 2015 17:31:02 GMT
Content-Type: application/json
Content-Length: 25
Connection: keep-alive
Keep-Alive: timeout=10
{"error":"invalid_grant"}
如何更改“错误”的值?只是使用json_decode本身似乎并不是一个有效的方法。它返回NULL结果:
$obj = json_decode($response);
建议?
2015-01-10 JeffB6688
A
回答
3
你试过:
curl_setopt($s,CURLOPT_HEADER,false);
基本上,你正在接收来自服务器的完整响应:
# these are the headers
RESPONSE: HTTP/1.1 400 Bad Request
Server: nginx
Date: Sat, 10 Jan 2015 17:31:02 GMT
Content-Type: application/json
Content-Length: 25
Connection: keep-alive
Keep-Alive: timeout=10
# This is the body.
{"error":"invalid_grant"}
通过告诉卷曲忽略标题,你应该只得到{"error":"invalid_grant"}
现在,所有这些说,标题分隔两个换行符的身体。所以你应该也可以这样解析:
$val = curl_exec();
// list($header,$body) = explode("\n\n", $val); won't work: \n\n is a valid value for
// body, so we only care about the first instance.
$header = substr($val, 0, strpos($val, "\n\n"));
$body = substr($val, strpos($val, "\n\n") + 2);
// You *could* use list($header,$body) = preg_split("#\n\n#", $val, 2); because that
// will create an array of two elements.
// To get the value of *error*, you then
$msg = json_decode($body);
$error = $msg->error;
/*
The following are because you asked how to "change the value of `error`".
You can safely ignore if you don't want to put it back together.
*/
// To set the value of the error:
$msg->error = 'Too many cats!';
// to put everything back together:
$replaced = $header . "\n\n" . json_encode($msg);