PHP获取POST数据的几种方法汇总
一、php获取post数据的几种方法
方法1、最常见的方法是:$_post['fieldname'];
说明:只能接收content-type: application/x-www-form-urlencoded提交的数据
解释:也就是表单post过来的数据
方法2、file_get_contents("php://input");
说明:
允许读取 post 的原始数据。
和 $http_raw_post_data 比起来,它给内存带来的压力较小,并且不需要任何特殊的 php.ini 设置。
php://input 不能用于 enctype="multipart/form-data"。
解释:
对于未指定 content-type 的post数据,则可以使用file_get_contents(“php://input”);来获取原始数据。
事实上,用php接收post的任何数据都可以使用本方法。而不用考虑content-type,包括二进制文件流也可以。
所以用方法二是最保险的方法
方法3、$globals['http_raw_post_data'];
说明:
总是产生 $http_raw_post_data 变量包含有原始的 post 数据。
此变量仅在碰到未识别 mime 类型的数据时产生。
$http_raw_post_data 对于 enctype="multipart/form-data" 表单数据不可用
如果post过来的数据不是php能够识别的,可以用 $globals['http_raw_post_data']来接收,
比如 text/xml 或者 soap 等等
解释:
$globals['http_raw_post_data']存放的是post过来的原始数据。
$_post或$_request存放的是 php以key=>value的形式格式化以后的数据。
但$globals['http_raw_post_data']中是否保存post过来的数据取决于centent-type的设置,即post数据时 必须显式示指明content-type: application/x-www-form-urlencoded,post的数据才会存放到 $globals['http_raw_post_data']中
二、演示
1、php 如何获取post过来的xml数据和解析xml数据
比如我们在开发微信企业号时,如何处理用户回复过来的数据呢?
文档:http://qydev.weixin.qq.com/wiki/index.php?title=%e6%8e%a5%e6%94%b6%e6%99%ae%e9%80%9a%e6%b6%88%e6%81%af
首先查阅文档,可知道:启用开发模式后,当用户给应用回复信息时,微信服务端会post一串xml数据到已验证的回调url
假设该url为
http请求方式: post
http://www.xxx.com/?msg_signature=asdfqwexzcvaqfasdfasdfss×tamp=13500001234&nonce=123412323
post的xml内容为:
<xml>
<tousername><![cdata[touser]]></tousername>
<fromusername><![cdata[fromuser]]></fromusername>
<createtime>1348831860</createtime>
<msgtype><![cdata[text]]></msgtype>
<content><![cdata[this is a test]]></content>
<msgid>1234567890123456</msgid>
<agentid>1</agentid>
</xml>
那么怎么接收这段内容呃?
这时就可以用到:方法2(file_get_contents("php://input"))、方法3($globals['http_raw_post_data'])
方法2(file_get_contents("php://input")):
$input = file_get_contents("php://input"); //接收post数据
$xml = simplexml_load_string($input); //提取post数据为simplexml对象
var_dump($xml);
方法3($globals['http_raw_post_data'])
$input = $globals['http_raw_post_data'];
libxml_disable_entity_loader(true);
$xml = simplexml_load_string($input, 'simplexmlelement', libxml_nocdata);
var_dump($xml);