Get loop counter/index using for…of syntax in JavaScript Get loop counter/index using for…of syntax in JavaScript javascript javascript

Get loop counter/index using for…of syntax in JavaScript


for…in iterates over property names, not values, and does so in an unspecified order (yes, even after ES6). You shouldn’t use it to iterate over arrays. For them, there’s ES5’s forEach method that passes both the value and the index to the function you give it:

var myArray = [123, 15, 187, 32];myArray.forEach(function (value, i) {    console.log('%d: %s', i, value);});// Outputs:// 0: 123// 1: 15// 2: 187// 3: 32

Or ES6’s Array.prototype.entries, which now has support across current browser versions:

for (const [i, value] of myArray.entries()) {    console.log('%d: %s', i, value);}

For iterables in general (where you would use a for…of loop rather than a for…in), there’s nothing built-in, however:

function* enumerate(iterable) {    let i = 0;    for (const x of iterable) {        yield [i, x];        i++;    }}for (const [i, obj] of enumerate(myArray)) {    console.log(i, obj);}

demo

If you actually did mean for…in – enumerating properties – you would need an additional counter. Object.keys(obj).forEach could work, but it only includes own properties; for…in includes enumerable properties anywhere on the prototype chain.


In ES6, it is good to use a for... of loop.You can get index in for... of like this

for (let [index, val] of array.entries()) {  // your code goes here    }

Note that Array.entries() returns an iterator, which is what allows it to work in the for-of loop; don't confuse this with Object.entries(), which returns an array of key-value pairs.


How about this

let numbers = [1,2,3,4,5]numbers.forEach((number, index) => console.log(`${index}:${number}`))

Where array.forEach this method has an index parameter which is the index of the current element being processed in the array.