xxxxxxxxxx
let fruits = ["apple", "pear", "plum", "orange", "cherry"];
for(var i in fruits)
{
console.log(fruits[i]);
}
xxxxxxxxxx
const array1 = ['a', 'b', 'c'];
for (const element of array1) {
console.log(element);
}
// expected output: "a"
// expected output: "b"
// expected output: "c"
xxxxxxxxxx
const array = ['hello', 'world', 'of', 'Corona'];
for (const item of array) {
console.log(item);
}
xxxxxxxxxx
let fruits = ["apple", "pear", "plum", "orange", "cherry"];
for(let fruit of fruits)
{
console.log(fruit);
}
xxxxxxxxxx
const people = [{ name: 'Karl', location: 'UK' },
{ name: 'Steve', location: 'US' }];
for (const person of people) {
console.log(person.name); // "karl", then "steve"
console.log(person.location); // "UK", then "US"
}
xxxxxxxxxx
Object.prototype.objCustom = function () {};
Array.prototype.arrCustom = function () {};
let iterable = [3, 5, 7];
iterable.foo = "hello";
for (let i in iterable) {
console.log(i); // logs 0, 1, 2, "foo", "arrCustom", "objCustom"
}
for (let i of iterable) {
console.log(i); // logs 3, 5, 7
}
xxxxxxxxxx
let arr = ['el1', 'el2', 'el3'];
arr.addedProp = 'arrProp';
// elKey are the property keys
for (let elKey in arr) {
console.log(elKey);
}
// elValue are the property values
for (let elValue of arr) {
console.log(elValue)
}
xxxxxxxxxx
let iterable = new Map([["a", 1], ["b", 2], ["c", 3]]);
for (let entry of iterable) {
console.log(entry);
}
// [a, 1]
// [b, 2]
// [c, 3]
for (let [key, value] of iterable) {
console.log(value);
}
// 1
// 2
// 3
xxxxxxxxxx
const cars = ["BMW", "Volvo", "Mini"];
let text = "";
for (let x of cars) {
text += x;
}