0

我试图通过解析 xml 填充一个二维数组,但由于某种未知原因,我的函数没有存储第一个项目。(所以它正确存储 [0][1] 和 [1][1],但它不存储 [0][0] 和 [0][1]);

数组结构背后的思想是:

first word-  >  first choice  ->[0][0]; 
first word  ->  second choice ->[0][1]; 
second word ->  first choice  ->[1][0];
... you can guess

它每次都会发出警报(只是为了检查计数器是否正确。)

XML:

<?xml version="1.0" encoding="utf-8" ?>
 <Page>
  <Word id = "0">
    <Choice id = "0">
     <text>First word - 1. choice</text>
    </Choice>
    <Choice id = "1">
     <text>First word - 2. choice</text>
    </Choice>
  </Word>
 <Word id= "1">
  <Choices>
    <Choice id = "0">
      <text>Second word - First choice</text>
    </Choice>
    <Choice id= "1">
     <text>Second word - Second Choice</text>
    </Choice>
  </Choices>
 </Word>
</Page>

功能:

$(document).ready(function()
{
 $.ajax({
 type: "GET",
 url: "xml.xml",
 dataType: "xml",
 success: parseXml2
  });
});

function parseXml2(xml) {

var myArray = [];
var a = 0;

$(xml).find("Word").each(function() {
    var i = $(this).attr("id");
    a = 0;

    $(this).find("Choice").each(function() {
        alert('I:' + i + 'A:' + a);
        alert('Id:' + $(this).attr("id") + $(this).text());
        myArray[i] = [];
        var text = $(this).text();
        myArray[i][a] = text;
        a++;
    });
});

alert(myArray[0][0]);

}

parseXml2(xml);​

代码也可以在这里找到。

4

2 回答 2

1

这是因为您设置myArray[i] = [];了每次迭代。将其设置在此循环中,$(xml).find("Word").each(function() {而不是第二个。vágod :D?

这应该工作:

$(xml).find("Word").each(function() {
    var i = $(this).attr("id");
    a = 0;
    myArray[i] = [];
    $(this).find("Choice").each(function() {
        alert('I:' + i + 'A:' + a);
        alert('Id:' + $(this).attr("id") + $(this).text());

        var text = $(this).text();
        myArray[i][a] = text;
        a++;
    });
});
于 2012-07-09T10:02:41.803 回答
0

您的代码中的问题在于该myArray[i] = [];行。

使用这一行,您将在每次迭代时重新定义数组。

克服这一问题的一种解决方案是编写

if(typeof(myArray[i]) === "undefined"){
    myArray[i] = [];
}

为了确保你没有写它,如果它存在

更新的小提琴

于 2012-07-09T10:06:00.450 回答