<?xml version="1.0"?>
<watchlist timestamp="2013-02-04 17:38:24">
<team name="Parent">
<child name="ChildTeam1" team="3">
<client mnem="c1">5</client>
<client mnem="c2">0</client>
<client mnem="c3">1</client>
<client mnem="c4">1</client>
<client mnem="c5">2</client>
<client mnem="c6">6</client>
<client mnem="c7">0</client>
<client mnem="c8">0</client>
<client mnem="c9">1</client>
<client mnem="c10">0</client>
</child>
<child name="ChildTeam2" team="3">
<client mnem="c1">6</client>
<client mnem="c2">0</client>
<client mnem="c3">0</client>
<client mnem="c4">0</client>
<client mnem="c5">0</client>
<client mnem="c6">0</client>
<client mnem="c7">0</client>
<client mnem="c8">0</client>
<client mnem="c9">0</client>
<client mnem="c10">0</client>
</child>
</team>
</watchlist>
我需要帮助使用 jQuery 解析上述 XML。有父队,下有子队。我的目标是将团队 ID 为 3 的父团队的总 c1 相加...所以在上面的示例中,要获得 c1 的总数,我将添加在 ChildTeam1 中找到的 5 和在 ChildTeam2 中找到的 6 去c1 总共得到 11 个。
添加一个扭曲......客户端上的 mnem 属性会定期更改,所以我不能硬编码来过滤“c1”,我必须动态拉出那部分。我确实知道,一个孩子下总会有 10 个客户。
有任何想法吗?
到目前为止,我的代码确实正确计算了团队 3 的 c1 总数,它使用了 mnem 属性的过滤器(自从 mnem 更改后,我试图摆脱它):
function parseXml(data) {
var count1 = 0;
$(data).find("child[team='3']").each(function(child) {
count1 += parseInt($(this).find("client[mnem='c1']").text(), 10);
});
alert(count1); //output total c1 for team 3
}
更新 - 下面的最终解决方案
function parseXml(data) {
var i = 0;
var mnemonic = new Array();
//build array of the 10 mnemonics, with mnemonic as key value
$(data).find("client").each(function(){
if ( i < 10 ) {
mnemonic[$(this).attr('mnem')] = 0; //set default count to 0
i++;
} else { return false; } //break .each loop
});
//find all children where team = 3, and add the numbers up for each client mnemonic
$(data).find("child[team='3']").each(function() {
for(var index in mnemonic) {
//add to the count
mnemonic[index] += parseInt($(this).find("client[mnem="+index+"]").text(), 10);
}
});
//output the results
for(var index in mnemonic) {
$("#output").append( index + " : " + mnemonic[index] + "<br />");
}
}