与brnwdrng's question类似,我正在寻找一种搜索类似JSON的对象的方法 假设我的对象的结构是这样的:
TestObj = {
"Categories": [{
"Products": [{
"id": "a01",
"name": "Pine",
"description": "Short description of pine."
},
{
"id": "a02",
"name": "Birch",
"description": "Short description of birch."
},
{
"id": "a03",
"name": "Poplar",
"description": "Short description of poplar."
}],
"id": "A",
"title": "Cheap",
"description": "Short description of category A."
},
{
"Product": [{
"id": "b01",
"name": "Maple",
"description": "Short description of maple."
},
{
"id": "b02",
"name": "Oak",
"description": "Short description of oak."
},
{
"id": "b03",
"name": "Bamboo",
"description": "Short description of bamboo."
}],
"id": "B",
"title": "Moderate",
"description": "Short description of category B."
}]
};
我想得到一个id =“A”的对象。
我尝试了各种各样的东西,例如:
$(TestObj.find(":id='A'"))
但似乎没有任何效果。
有人能想到一种基于某些标准检索项目而不使用'each'的方法吗?
答案 0 :(得分:117)
jQuery不适用于普通对象文字。您可以使用以下函数以类似的方式搜索所有'id'(或任何其他属性),无论其在对象中的深度如何:
function getObjects(obj, key, val) {
var objects = [];
for (var i in obj) {
if (!obj.hasOwnProperty(i)) continue;
if (typeof obj[i] == 'object') {
objects = objects.concat(getObjects(obj[i], key, val));
} else if (i == key && obj[key] == val) {
objects.push(obj);
}
}
return objects;
}
像这样使用:
getObjects(TestObj, 'id', 'A'); // Returns an array of matching objects
答案 1 :(得分:44)
纯javascript解决方案更好,但jQuery方法是使用jQuery grep和/或map方法。 可能没比使用$ .each
好多少jQuery.grep(TestObj, function(obj) {
return obj.id === "A";
});
或
jQuery.map(TestObj, function(obj) {
if(obj.id === "A")
return obj; // or return obj.name, whatever.
});
返回匹配对象的数组,或者在map的情况下返回查找值的数组。可能只需要使用它们就能做你想做的事。
但是在这个例子中你必须做一些递归,因为数据不是一个平面数组,我们接受任意结构,键和值,就像纯JavaScript解决方案一样。
function getObjects(obj, key, val) {
var retv = [];
if(jQuery.isPlainObject(obj))
{
if(obj[key] === val) // may want to add obj.hasOwnProperty(key) here.
retv.push(obj);
var objects = jQuery.grep(obj, function(elem) {
return (jQuery.isArray(elem) || jQuery.isPlainObject(elem));
});
retv.concat(jQuery.map(objects, function(elem){
return getObjects(elem, key, val);
}));
}
return retv;
}
基本上与Box9的答案相同,但在有用的地方使用jQuery实用程序。
········
答案 2 :(得分:4)
这适用于[{“id”:“data”},{“id”:“data”}]
function getObjects(obj, key, val)
{
var newObj = false;
$.each(obj, function()
{
var testObject = this;
$.each(testObject, function(k,v)
{
//alert(k);
if(val == v && k == key)
{
newObj = testObject;
}
});
});
return newObj;
}
答案 3 :(得分:3)
对于一维json,你可以使用它:
function exist (json, modulid) {
var ret = 0;
$(json).each(function(index, data){
if(data.modulId == modulid)
ret++;
})
return ret > 0;
}
答案 4 :(得分:1)
您可以使用JSONPath
做这样的事情:
results = JSONPath(null, TestObj, "$..[?(@.id=='A')]")
请注意 JSONPath 会返回结果数组
(我没有测试过表达式" $ .. [?(@。id ==' A')]" btw。也许它需要经过精心调整浏览器控制台的帮助)
答案 5 :(得分:-3)
我想提及的另一个选项是,您可以将数据转换为XML,然后按照您想要的方式使用jQuery.find(":id='A'")
。
有这样的jQuery插件,比如json2xml。
可能不值得转换开销,但这是静态数据的一次性成本,所以它可能很有用。