我正在通过AngularJS使用$ http将数据发送到PHP文档,该文档旨在将数据保存在MySQL数据库中。但是,数据被解码为空白或未定义。可以将JSON转换为PHP文件,正如我所看到的请求标头,但响应为空。
我已经尝试测试代码的不同变体,以确保将JSON编码的数据传递到PHP文档中,并且确实如此,但是当尝试json_decode()
时,它不会从JSON中提取任何内容。
PHP文件
$postdata = file_get_contents("php://input");
$request = json_decode($postdata);
$user = $request->Username;
echo $user;
AngularJS
$scope.submit = function() {
$http({
url: "http://www.walkermediadesign.com/planner3/src/ceremony.php",
method: "POST",
data: this.ceremony
}).then(function successCallback(response) {
console.log(response.data);
}, function errorCallback(response) {
$scope.error = response.statusText;
})};
这是帖子数据:
$postdata =
(2) [{…}, {…}]
0: {Username: "redphyre@gmail.com"}
1: {opening: "Friends and Family of BRIDE and GROOM, welcome and…d
falling in love with each other all over again."}
length: 2
__proto__: Array(0)
没有错误消息或500个错误,只是返回了空白数据。
答案 0 :(得分:1)
我认为您期待的JSON数据如下:
{
"Username": "redphyre@gmail.com",
"opening": "Friends and Family..."
}
只有一个具有所有预期属性的对象。
但是,您实际上得到的是:
[
{ "Username": "redphyre@gmail.com" },
{ "opening": "Friends and Family..." }
]
这将创建一个对象数组,每个对象只有一个属性,使用起来几乎不那么容易。要将数据转换为具有多个属性的单个对象,可以遍历结果集:
$responseData = new stdClass();
foreach ($response as $propertyObject) {
$properties = get_object_vars($propertyObject);
// Just in case some objects have more than one property after all
foreach($properties as $name => $value) {
$responseData->$name = $value;
}
}
这会将响应数组中对象的各个属性复制到单个对象中。