Sto usando il codice della risposta accettata (il codice di Felipe) per un po 'e ha funzionato alla grande (grazie, Felipe!).
Tuttavia, recentemente ho scoperto che ha problemi con oggetti o matrici vuoti. Ad esempio, quando si invia questo oggetto:
{
A: 1,
B: {
a: [ ],
},
C: [ ],
D: "2"
}
PHP non sembra affatto vedere B e C. Ottiene questo:
[
"A" => "1",
"B" => "2"
]
Uno sguardo alla richiesta effettiva in Chrome mostra questo:
A: 1
:
D: 2
Ho scritto uno snippet di codice alternativo. Sembra funzionare bene con i miei casi d'uso, ma non l'ho testato ampiamente quindi usalo con cautela.
Ho usato TypeScript perché mi piace digitare forte ma sarebbe facile da convertire in JS puro:
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("&");
} ];
} ]);
È meno efficiente del codice di Felipe ma non credo che importi molto poiché dovrebbe essere immediato rispetto al sovraccarico generale della richiesta HTTP stessa.
Ora PHP mostra:
[
"A" => "1",
"B" => [
"a" => ""
],
"C" => "",
"D" => "2"
]
Per quanto ne so non è possibile far riconoscere a PHP che Ba e C sono array vuoti, ma almeno compaiono le chiavi, il che è importante quando c'è un codice che si basa su una certa struttura anche quando è essenzialmente vuoto all'interno.
Si noti inoltre che converte s indefiniti e null in stringhe vuote.