使用JS,我发送AJAX发布请求。
$.ajax(
{method:"POST",
url:"https://my/website/send_data.py",
data:JSON.stringify(data),
contentType: 'application/json;charset=UTF-8'
[在我的Apache2 mod_Python服务器上,我希望我的python文件访问data
。我怎样才能做到这一点?
def index(req):
# data = ??
PS:这是重现问题的方法。创建testjson.html
:
<script type="text/javascript">
xhr = new XMLHttpRequest();
xhr.open("POST", "testjson.py");
xhr.setRequestHeader("Content-Type", "application/json");
xhr.onreadystatechange = function(res) { console.log(xhr.responseText); };
xhr.send(JSON.stringify({'foo': '0', 'bar': '1'}));
</script>
并创建testjson.py
包含:
from mod_python import apache
def index(req):
req.content_type = "application/json"
req.write("hello")
data = req.read()
return apache.OK
创建一个包含以下内容的.htaccess
:
AddHandler mod_python .py
PythonHandler mod_python.publisher
这里是结果:
testjson.html:10 POSThttp://localhost/test_py/testjson.py501(未实现)
可以通过使用request.read()函数来读取客户端数据,例如POST请求。
正如Grisha(mod_python的作者)在私人通信中指出的,这是不支持application/json
并输出“未实现HTTP 501”的原因:
https://github.com/grisha/mod_python/blob/master/lib/python/mod_python/util.py#L284
解决方案是修改它,或使用常规的application/x-www-form-urlencoded
编码,或使用mod_python.publisher
处理程序以外的其他东西。
[mod_python
和PythonHandler mod_python.publisher
的示例:
<script type="text/javascript">
var data = JSON.stringify([1, 2, 3, '&=test', "jkl", {'foo': 'bar'}]); // the data to send
xhr = new XMLHttpRequest();
xhr.open("POST", "testjson.py");
xhr.setRequestHeader("Content-Type", "application/x-www-form-urlencoded");
xhr.onreadystatechange = function(res) { console.log(xhr.responseText); };
xhr.send('data=' + encodeURIComponent(data));
</script>
服务器端:
import json
from mod_python import apache
def index(req):
data = json.loads(req.form['data'])
x = data[-1]['foo']
req.write("value: " + x)
输出:
值:条
成功!