Answers for "iterate through an array in javascript"

32

javascript loop through array

var data = [1, 2, 3, 4, 5, 6];

// traditional for loop
for(let i=0; i<=data.length; i++) {
  console.log(data[i])  // 1 2 3 4 5 6
}

// using for...of
for(let i of data) {
	console.log(i) // 1 2 3 4 5 6
}

// using for...in
for(let i in data) {
  	console.log(i) // Prints indices for array elements
	console.log(data[i]) // 1 2 3 4 5 6
}

// using forEach
data.forEach((i) => {
  console.log(i) // 1 2 3 4 5 6
})
// NOTE ->  forEach method is about 95% slower than the traditional for loop

// using map
data.map((i) => {
  console.log(i) // 1 2 3 4 5 6
})
Posted by: Guest on December-18-2020
0

loop through an array in js

let exampleArray = [1,2,3,4,5]; // The array to be looped over

// Using a for loop
for(let i = 0; i < exampleArray.length; i++) {
    console.log(exampleArray[i]); // 1 2 3 4 5
}
Posted by: Guest on August-06-2021
0

javascript loop through array

let data = [1,2,3];

data.forEach(n => console.log(n));
Posted by: Guest on February-09-2021
0

javascript loop through array

const array = [1, 2, 3, 4];

for(num of array) {
  console.log(num); 
}
Posted by: Guest on November-30-2020
0

how to loop through an array

var array = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
 
//loop thrugh all of the numbers of the array and print them
for(let i = 0; i < array.length; i++){
	console.log(array[i]); //print all the array data in the length of i
}

//we can create some variable that store the array data and than display it 
//using for...of

for(let data of array){
	console.log(data); //print all the data that was stored in the "data" variable
}
Posted by: Guest on May-24-2021
0

how to cycle through an array js

// Requiring the lodash library 
// src: https://lodash.com/docs/4.17.15#forEach

// console:  npm i --save lodash
const _ = require("lodash")

// Use of _.forEach() method

_.forEach([1, 2], function(value) {
  console.log(value)
});
// => Logs `1` then `2`.

// traversing an object
_.forEach({ 'a': 1, 'b': 2 }, function(value, key) {
  console.log(key)
})
// => Logs 'a' then 'b' (iteration order is not guaranteed).

//////////////// To not use lodash ////////////////
// src: https://developer.mozilla.org/pt-BR/docs/Web/JavaScript/Reference/Global_Objects/Array/forEach

function logArrayElements(element, index, array) {
    console.log("a[" + index + "] = " + element)
}
[2, 5, 9].forEach(logArrayElements)
// logs:
// a[0] = 2
// a[1] = 5
// a[2] = 9
Posted by: Guest on December-03-2020

Code answers related to "iterate through an array in javascript"

Code answers related to "Javascript"

Browse Popular Code Answers by Language