我一直在使用公认答案的代码(Felipe 的代码)一段时间,并且效果很好(感谢 Felipe!)。
但是,最近我发现它存在空对象或数组的问题。例如,提交此对象时:
{
A: 1,
B: {
a: [ ],
},
C: [ ],
D: "2"
}
PHP 似乎根本看不到 B 和 C。它得到这个:
[
"A" => "1",
"B" => "2"
]
查看 Chrome 中的实际请求可以看出:
A: 1
:
D: 2
我写了一个替代代码片段。它似乎适用于我的用例,但我尚未对其进行广泛测试,因此请谨慎使用。
我使用 TypeScript 是因为我喜欢强类型,但它很容易转换为纯 JS:
angular.module("MyModule").config([ "$httpProvider", function($httpProvider: ng.IHttpProvider) {
// Use x-www-form-urlencoded Content-Type
$httpProvider.defaults.headers.post["Content-Type"] = "application/x-www-form-urlencoded;charset=utf-8";
function phpize(obj: Object | any[], depth: number = 1): string[] {
var arr: string[] = [ ];
angular.forEach(obj, (value: any, key: string) => {
if (angular.isObject(value) || angular.isArray(value)) {
var arrInner: string[] = phpize(value, depth + 1);
var tmpKey: string;
var encodedKey = encodeURIComponent(key);
if (depth == 1) tmpKey = encodedKey;
else tmpKey = `[${encodedKey}]`;
if (arrInner.length == 0) {
arr.push(`${tmpKey}=`);
}
else {
arr = arr.concat(arrInner.map(inner => `${tmpKey}${inner}`));
}
}
else {
var encodedKey = encodeURIComponent(key);
var encodedValue;
if (angular.isUndefined(value) || value === null) encodedValue = "";
else encodedValue = encodeURIComponent(value);
if (depth == 1) {
arr.push(`${encodedKey}=${encodedValue}`);
}
else {
arr.push(`[${encodedKey}]=${encodedValue}`);
}
}
});
return arr;
}
// Override $http service's default transformRequest
(<any>$httpProvider.defaults).transformRequest = [ function(data: any) {
if (!angular.isObject(data) || data.toString() == "[object File]") return data;
return phpize(data).join("&");
} ];
} ]);
它比 Felipe 的代码效率低,但我认为这并不重要,因为与 HTTP 请求本身的总体开销相比,它应该是即时的。
现在 PHP 显示:
[
"A" => "1",
"B" => [
"a" => ""
],
"C" => "",
"D" => "2"
]
据我所知,不可能让 PHP 识别 Ba 和 C 是空数组,但至少出现了键,这在存在依赖于某个结构的代码时很重要,即使它内部基本上是空的。
另请注意,它将undefined s 和null s 转换为空字符串。