what is loop in javascript code example
Example 1: javascript for loop
var colors=["red","blue","green"];
for (let i = 0; i < colors.length; i++) {
console.log(colors[i]);
}
Example 2: javascript loop
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 each value in array
}
array.forEach((value, index) => {
console.log(index); // Will log each index
console.log(value); // Will log each value
});
Example 3: javascript for loop
var i;
for (i = 0; i < 10 ; i++) {
//do something
}
Example 4: javascript loop
var colors=["red","blue","green"];
for(let color of colors){
console.log(color)
}
Example 5: looping in javascript
<html>
<body>
<script type = "text/javascript">
<!--
var count;
document.write("Starting Loop" + "<br />");
for(count = 0; count < 10; count++) {
document.write("Current Count : " + count );
document.write("<br />");
}
document.write("Loop stopped!");
//-->
</script>
<p>Set the variable to different value and then try...</p>
</body>
</html>
Example 6: loops javascript
/*Loops are great tools when you need your program to run a code block a
certain number of times or until a condition is met, but they need a
terminal condition that ends the looping. Infinite loops are likely to
freeze or crash the browser, and cause general program execution mayhem,
which no one wants.
Infinite loop example(do not call this function!):*/
function loopy() {
while(true) {
console.log("Hello, world!");
}
}
/*Loop example with terminal condition:*/
function myFunc() {
for (let i = 1; i <= 4; i += 2) {
console.log("Still going!");
}
}