Answers for "how to loop through an array"

30

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
45

javascript code to loop through array

var colors = ["red","blue","green"];
for (var i = 0; i < colors.length; i++) {
    console.log(colors[i]);
}
Posted by: Guest on July-22-2019
13

loop through an array javascript

let array = ['Item 1', 'Item 2', 'Item 3'];

// Here's 4 different ways
for (let index = 0; index < array.length; index++) {
  console.log(array[index]);
}

for (let index in array) {
  console.log(array[index]);
}

for (let value of array) {
  console.log(value); // Will log value in array
}

array.forEach((value, index) => {
  console.log(index); // Will log each index
  console.log(value); // Will log each value
});
Posted by: Guest on March-25-2020
10

iterate array javascript

array = [ 1, 2, 3, 4, 5, 6 ]; 
for (index = 0; index < array.length; index++) { 
    console.log(array[index]); 
}
Posted by: Guest on November-30-2019
1

how to loop through an array

int[] numbers = {1,2,3,4,5};
for (int i = 0; i < numbers.length; i++) {
	System.out.println(i);
}
Posted by: Guest on April-21-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

Code answers related to "how to loop through an array"

Code answers related to "Java"

Java Answers by Framework

Browse Popular Code Answers by Language