3

私はいつも予期しない出力を得るこのビットのコードで何がうまくいかないのですか?

var foo = [3,4,5];

for ( var i in foo ) {
      if ( i == 1 ) {
     foo.unshift(6,6);
         }
  document.write('item: '+foo[i]+"<br>")
  }
output:
item: 3
item: 6
item: 3

これについて適切な理由を得ることができますか?ありがとう

4

2 に答える 2

1

私が得た出力IE8はこれです

item: 3
item: 6
item: 3
item: 4
item: 5

どちらが正しい。unshift別のループを使用した後に完全に更新された値が必要な場合

var foo = [3,4,5];
  for ( var i in foo ) {
      if ( i == 1 ) {
     foo.unshift(6,6);
         }
  }
  for ( var i in foo )
    document.write('item: '+foo[i]+"<br>")

どちらが与えるでしょう

item: 6
item: 6
item: 3
item: 5
item: 4

ie isの後document.write('item: '+foo[i]+"<br>")i = 0Your foo[0]is 3 Forで呼び出すときのコードで。i=1unshift foo == [6,6,3,4,5]foo[1]6

于 2013-04-12T05:35:16.747 に答える
0
  • mozillafor...inのまとめより

for..in should not be used to iterate over an Array where index order is important. Array indexes are just enumerable properties with integer names and are otherwise identical to general Object properties.
There is no guarantee that for...in will return the indexes in any particular order and it will return all enumerable properties, including those with non–integer names and those that are inherited.

Because the order of iteration is implementation dependent, iterating over an array may not visit elements in a consistent order. Therefore it is better to use a for loop with a numeric index (or Array.forEach or the non-standard for...of loop) when iterating over arrays where the order of access is important.

If new properties are added to the object being enumerated during enumeration, the newly added properties are not guaranteed to be visited in the active enumeration. A property name must not be visited more than once in any enumeration.

使用するライブラリを使用している場合の例で話しましょう。

Array.prototype.maxLimit = 100000;

このプロパティはfor .. inループを繰り返します。

for .. inループを説明するコードの別のバージョン

var foo = [3,4,5];

for ( var i in ( alert( JSON.stringify(foo)) || foo ) ) {

    if ( i == 1 ) {
       foo.unshift(6,6);
    }
    console.log('item: '+foo[i] , i , foo.length );    
}

alertポップアップは一度だけ

于 2013-04-12T06:07:59.697 に答える