Below, I have written a function that takes an array and a key to search and count the number of times the key matches an element in an array. I am attempting to modify my function to count the number of matches asynchronously but don’t know how to best go about it. Any insight or examples would be greatly appreciated.
My Code:
function countMatches(arr, key)
{
var count=0;
var i;
for (i=0; i < arr.length; i++)
{
if(arr[i] == key) count=count+1;
}
return count;
}
let arr1 = [3, 2, 4, 6, 1, 1, 6, 8, 9];
console.log(countMatches(arr1, 6));
>Solution :
Use Promise
function countMatches(arr, key)
{
return new Promise((resolve) => {
var count=0;
var i;
for (i=0; i < arr.length; i++)
{
if(arr[i] == key) count=count+1;
}
resolve(count);
});
}
let arr1 = [3, 2, 4, 6, 1, 1, 6, 8, 9];
countMatches(arr1, 6).then(result => console.log(result));