编码POST数据?
我将数据发布到外部API(使用PHP,如果它是相关的)。
我应该对我传递的POST变量进行URL编码吗?
或者我只需要URL编码GET数据?
谢谢!
更新:这是我的PHP,万一它是相关的:
$fields = array(
'mediaupload'=>$file_field,
'username'=>urlencode($_POST["username"]),
'password'=>urlencode($_POST["password"]),
'latitude'=>urlencode($_POST["latitude"]),
'longitude'=>urlencode($_POST["longitude"]),
'datetime'=>urlencode($_POST["datetime"]),
'category'=>urlencode($_POST["category"]),
'metacategory'=>urlencode($_POST["metacategory"]),
'caption'=>($_POST["description"])
);
$fields_string = http_build_query($fields);
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL,$url);
curl_setopt($ch,CURLOPT_POST,count($fields));
curl_setopt($ch,CURLOPT_POSTFIELDS,$fields);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$response = curl_exec($ch);
一般答案
你的问题的一般答案是,这取决于。 并且您可以通过指定HTTP标头中的“Content-Type”来决定。
“application / x-www-form-urlencoded”的值意味着您的POST正文将需要进行URL编码,就像GET参数字符串一样。 “multipart / form-data”的值表示您将使用内容分隔符,而不是对内容进行url编码。
如果您想了解更多信息,这个答案会有更彻底的解释。
具体答案
对于特定于您正在使用的PHP库(CURL)的答案,您应该阅读这里的文档。
以下是相关信息:
CURLOPT_POST
真正做一个普通的HTTP POST。 此POST是普通的应用程序/ x-www-form-urlencoded类型,最常用的是HTML表单。
CURLOPT_POSTFIELDS
完整的数据在HTTP“POST”操作中发布。 要发布文件,请使用@预先指定文件名并使用完整路径。 文件类型可以通过跟随具有格式'; type = mimetype'格式的文件名来显式指定。 此参数可以作为urlencoded字符串(如'para1 = val1&para2 = val2&...')传递,也可以作为字段名称作为键和字段数据作为值的数组传递。 如果value是一个数组,则Content-Type头将被设置为multipart / form-data。 从PHP 5.2.0开始,如果使用@前缀将文件传递给此选项,则值必须是数组。
@DougW已经明确地回答了这个问题,但我仍然想在此添加一些代码来解释Doug的观点。 (并在上面的代码中更正错误)
解决方案1:使用内容类型标头对POST数据进行URL编码:application / x-www-form-urlencoded。
注意:你不需要逐个urlencode $ _POST []字段,http_build_query()函数可以很好地完成urlencoding作业。
$fields = array(
'mediaupload'=>$file_field,
'username'=>$_POST["username"],
'password'=>$_POST["password"],
'latitude'=>$_POST["latitude"],
'longitude'=>$_POST["longitude"],
'datetime'=>$_POST["datetime"],
'category'=>$_POST["category"],
'metacategory'=>$_POST["metacategory"],
'caption'=>$_POST["description"]
);
$fields_string = http_build_query($fields);
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL,$url);
curl_setopt($ch, CURLOPT_POST,1);
curl_setopt($ch, CURLOPT_POSTFIELDS,$fields_string);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$response = curl_exec($ch);
解决方案2:将数组直接作为发布数据传递,而不使用URL编码,而Content-Type标题将设置为multipart / form-data。
$fields = array(
'mediaupload'=>$file_field,
'username'=>$_POST["username"],
'password'=>$_POST["password"],
'latitude'=>$_POST["latitude"],
'longitude'=>$_POST["longitude"],
'datetime'=>$_POST["datetime"],
'category'=>$_POST["category"],
'metacategory'=>$_POST["metacategory"],
'caption'=>$_POST["description"]
);
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL,$url);
curl_setopt($ch, CURLOPT_POST,1);
curl_setopt($ch, CURLOPT_POSTFIELDS,$fields);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$response = curl_exec($ch);
这两个代码片段都可以工作,但使用不同的HTTP标头和主体。
curl将为您编码数据,只需将原始字段数据放入字段数组中,并告诉它“去”。
链接地址: http://www.djcxy.com/p/22147.html上一篇: encode POST data?