How to use the for() Loop In Javascript

The for loop facilitates the execution of a set of instructions repeatedly until some condition evaluates and becomes false.

Example: In this example, an array is declared by using for() loop iteration up to the element found. By using this, we can check whether the value present in the array or not.

Javascript
// Define an array
const array1 = [13, 23, 33, 43, 53];

// Initialize a flag variable
let p = false;

// Iterate through the array and check each element
for (let i = 0; i < array1.length; i++) {
    if (array1[i] === 53) {
        p = true;
        break;
    }
}

// Check the flag variable and log a message
if (p) {
    console.log("53 is present in the array.");
} else {
    console.log("53 is not present in the array.");
}

Output:

53 is present in the array

Check if an element is present in an array using JavaScript

Checking if an element is present in an array using JavaScript involves iterating through the array and comparing each element with the target value. If a match is found, the element is considered present; otherwise, it’s absent.

There are different approaches to finding an element present in an array, which is described below:

Table of Content

  • Using includes() method
  • Using the indexOf() method
  • Using the find() method
  • Using the for() Loop
  • Using the Array.some() method
  • Using a filter() method

Similar Reads

Using includes() method

This method can be utilized to find whether a particular element is present in the array or not. it returns true or false i.e., If the element is present, then it returns true otherwise false....

Using the indexOf() method

This method can be used to find the index of the first occurrence of the search element provided as the argument to the method....

Using the find() method

This method is used to get the value of the first element in the array that satisfies the provided condition. It checks all the elements of the array and whichever the first element satisfies the condition is going to print....

Using the for() Loop

The for loop facilitates the execution of a set of instructions repeatedly until some condition evaluates and becomes false....

Using the Array.some() method

Algorithm:...

Using a filter() method

Using the filter() method in JavaScript, you can check if an element is present in an array by filtering the array for the element and then checking if the resulting array’s length is greater than zero. This approach is efficient and concise....