好的,所以我一直在查看我的代码,我知道通过多次测试,我必须面对超出我所知范围的问题。
简而言之,我正在尝试将从Arduino(连接到我的笔记本电脑,并通过串行端口进行通信)收到的数据发送到笔记本电脑上运行的服务器。
我正在尝试使用请求库在POST请求中发送各种信息,如下所示:
import requests
import json
url = 'http://<usernames computer>.local/final/'
headers = {'Content-type': 'application/json'}
data = [
('state','true'),
('humidity', 45),
('temperature',76)
]
r = requests.post(url, data, headers = headers)
print r.text
此代码有效。我知道这是因为我在http://www.posttestserver.com/进行了测试。所有数据都正确发送。
但我正在尝试将其发送到服务器端脚本,如下所示:
<?php
$state = $_POST["state"];
$myfile = fopen("./data/current.json", "w") or die("Unable to open file!");
$txt = "$state";
fwrite($myfile, $txt);
fclose($myfile);
echo "\nThe current state is:\n $state\n";
?>
然而,当我运行代码时,我的脚本会吐出:
<br />
<b>Notice</b>: Undefined index: state in
<b>/Applications/XAMPP/xamppfiles/htdocs/final/index.php</b> on line
<b>2</b><br />
The current state is:
<This is where something should come back, but does not.>
可能出现什么问题?谢谢你的帮助!
答案 0 :(得分:0)
$state = $_POST["state"];
您发送的数据类型为application/json
,但PHP不会自动将字符串反序列化为json
。 Python请求也不会自动化:
[
('state','true'),
('humidity', 45),
('temperature',76)
]
进入json。
您要做的是在客户端序列化请求:
data = [
('state','true'),
('humidity', 45),
('temperature',76)
]
r = requests.post(url, json=data, headers=headers)
现在在服务器端,反序列化它:
if ($_SERVER["CONTENT_TYPE"] == "application/json") {
$postBody = file_get_contents('php://input');
$data = json_decode($postBody);
$state = $data["state"];
//rest of your code...
}