0

该方法constructBuilder()不应无限执行,因为它设置为仅循环 10 次,并且 data.length 的值永远不会改变。

这个循环和方法实际上工作得很好,直到我在循环中调用另一个方法。

getOptions(type)当我在这个循环中调用方法时,值的i变化非常奇怪,并且总是遵循这种模式:

1st run: i=0
2nd run: i=1
3rd run: i=3
4th run: i=5
5th run: i=6
6th run: i=4
7th run: i=4
8th run: i=4
nth run: i=4

的值i被卡在 4,不会增加并且循环无限运行!

为什么会这样??

这是代码:

var data = [["Text Array", "Some more text", "btnText", "btn2text"],
            ["Text2", "2: more text", "btnText2", "btn2text2"],
            ...
           ];

var products, order;

function initialise() {
    products = loadProducts();
    order = new Order();
    constructBuilder();
}

function constructBuilder() {
    var qb_boxes_innerHTML = "";
    for (i=0; i<data.length; i++) {
      alert("i="+i + "; data length="+data.length);
      var box_innerHTML = "<table width=100% height=100% cellpadding=0; cellspacing=0; border=0>";
      box_innerHTML += "<tr><td width=100% height=\"50px\">" + data[i][0] + "</td></tr>";
      box_innerHTML += "<tr><td width=100% class=\"scroll\" valign=\"top\">" + data[i][1] + getOptions(i) + "</td></tr>";
      box_innerHTML += "<tr><td width=100% height=\"50px\" align=\"right\" valign=\"middle\"><form action=\"javascript:next();\"><input type=\"button\" value=\""
                    + data[i][2] + "\" onClick=\"prev();\"/><input id=\"continueBtn\" type=\"submit\" value=\""
                    + data[i][3] + "\" disabled/></form></td></tr>";
      box_innerHTML += "</table>";
      qb_boxes_innerHTML += "<div id=\"qb_box" + i + "\" class=\"qb_box\" style=\"visibility: hidden;\">" + box_innerHTML + "</div>";
    }
    document.getElementById("qb_boxes").innerHTML = qb_boxes_innerHTML;
    document.getElementById("qb_box0").style.visibility = "";
}
function getOptions(type) {
    var optionsList = getProducts(products, type);
    var options_html = "";
    for (i=0; i<optionsList.length; i++) {
      options_html += "<input id=\"check"+type+"_"+i+"\" type=\"checkbox\"/>" + optionsList[i].name + "<BR/>";
    }
    return options_html;
}

function getProducts(productList, type) {
      var productsOfType = new Array();
      for (i=0; i<productList.length; i++) {
        if (productList[i].type == type)
            productsOfType.push(productList[i]);
      }
      return productsOfType;
}

如果您需要更多信息,请发表评论。

感谢您的关注。

4

3 回答 3

6

通过i不使用,var您实际上是在使用全局变量window.i。改变你的函数,以便i被声明为局部变量:

function constructBuilder() {
    var qb_boxes_innerHTML = "";
    var i;
    /* ... */
}
于 2012-04-07T20:00:24.223 回答
5

您的i变量是全局变量,因此每个函数内的循环共享相同的计数器。在循环声明 ( ) 中使用var关键字来声明局部变量。forfor(var i = 0; ...

于 2012-04-07T20:00:39.680 回答
0

问题是在constructBuilder() 中调用getOptions(i)。当您在全球范围内声明“i”时,在您的情况下,i 的值不断变回 4

于 2012-04-07T20:04:33.100 回答