Change JSON key names (to all capitalized) recursively?
From your comment,
eg like these will fail for the inner keys {"name":"john","Age":"21","sex":"male","place":{"state":"ca"}}
You may need to use recursion for such cases. See below,
DEMO
var output = allKeysToUpperCase(obj);
function allKeysToUpperCase(obj) {
var output = {};
for (i in obj) {
if (Object.prototype.toString.apply(obj[i]) === '[object Object]') {
output[i.toUpperCase()] = allKeysToUpperCase(obj[i]);
} else {
output[i.toUpperCase()] = obj[i];
}
}
return output;
}
Output
A simple loop should do the trick,
DEMO
var output = {};
for (i in obj) {
output[i.toUpperCase()] = obj[i];
}
You can't change a key directly on a given object, but if you want to make this change on the original object, you can save the new uppercase key and remove the old one:
function changeKeysToUpper(obj) {
var key, upKey;
for (key in obj) {
if (obj.hasOwnProperty(key)) {
upKey = key.toUpperCase();
if (upKey !== key) {
obj[upKey] = obj[key];
delete(obj[key]);
}
// recurse
if (typeof obj[upKey] === "object") {
changeKeysToUpper(obj[upKey]);
}
}
}
return obj;
}
var test = {"name": "john", "Age": "21", "sex": "male", "place": {"state": "ca"}, "family": [{child: "bob"}, {child: "jack"}]};
console.log(changeKeysToUpper(test));
FYI, this function also protects again inadvertently modifying inherited enumerable properties or methods.