我有一个使用此命名对话的输入表单:
<input class="xxlarge" name="note[url]" id="url" placeholder="URL">
所以,我正在使用this script(在StackOverflow上找到)将表单数据序列化为JSON。
$.fn.serializeObject = function()
{
var o = {};
var a = this.serializeArray();
$.each(a, function() {
if (o[this.name] !== undefined) {
if (!o[this.name].push) {
o[this.name] = [o[this.name]];
}
o[this.name].push(this.value || '');
} else {
o[this.name] = this.value || '';
}
});
return o;
};
在输出上我有这个:
{"note[url]":"URL","note[title]":"TITLE"}
我想知道如何转换此脚本以获得如下输出:
{"url":"URL","title":"TITLE"}
我正在使用相当标准的,有文档记录的代码块(使用上面描述的函数)来处理这个问题:
$(function() {
$('form').submit(function() {
$('#result').html(JSON.stringify($('form').serializeObject()));
$.post(
"/api/create",
JSON.stringify($('form').serializeObject()),
function(responseText){
$("#result").html(responseText);
},
"html"
);
return false;
});
提前致谢!
答案 0 :(得分:1)
不确定“笔记”部分的来源。可能是您可以通过标记中的name
属性修复的内容。否则你总是可以这样做:
function renameKeys(obj) {
var
result = {},
key,
check,
noteReg = /^note\[([^\]]+)\]$/;
for(key in obj) {
result[(check = key.match(noteReg)) === null ? key : check[1]] = typeof obj[key] == 'object' && toString.call(obj[key]) == '[object Object]' ? renameKeys(obj[key]) : obj[key];
}
return result;
}
可用于使用您想要的键创建 new 对象。
renameKeys({"note[url]":"URL","note[title]":"TITLE"});
// { url: 'URL', title: 'TITLE' }
renameKeys({"note[url]":"URL","note[title]":"TITLE", anotherObj: { thingA: 1234, 'note[thingB]': 9492}});
// { url: 'URL', title: 'TITLE', anotherObj: { thingA: 1234, thingB: 9492 } }
请注意,如果你有一个note[asdf]
和的键,asdf
的键,那么最后迭代的那个将覆盖另一个。
答案 1 :(得分:1)
我建议将字符串解析为JS对象,更改for循环中的键,然后在完成后对其进行字符串化。像这样:
// turn the string into a JS object
var data = JSON.parse('{"note[url]":"URL","note[title]":"TITLE"}');
var newData = {};
// step through each member
for(key in data) {
// Regular expressions to find the brackets
var newKeyStart = key.search(/note\[/) + 5;
var newKeyEnd = key.search(/\]/);
// pull out the desired part of the key
var newKey = key.substr(newKeyStart, newKeyEnd - newKeyStart);
// insert into new data object
newData[newKey] = data[key];
}
// turn back into JSON again
var newJSON = JSON.stringify(newData);