'Find which element in an array contains a string [duplicate]
If I have an array like this
["one","two","three","hello","world","bar"]
How would I find which object in the array is "Hello"?
Solution 1:[1]
const arr = ["one","two","three","hello","world","bar"];
const index = arr.indexOf("hello");
console.log(index)
Solution 2:[2]
You could use findIndex()
or indexOf()
. Both return the index of the item if it is in the array or -1
if it is not.
const array = ["one","two","three","hello","world","bar"]
const result = array.findIndex(item => item === "hello");
if(result === -1) console.log("Not found");
else console.log(`"hello" found at index ${result} in array: array[${result}] = ${array[result]}`);
const array = ["one", "two", "three", "hello", "world", "bar"]
const result = array.indexOf("hello");
if (result === -1) console.log("Not found");
else console.log(`"hello" found at index ${result} in array: array[${result}] = ${array[result]}`);
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | Lux |
Solution 2 | Mushroomator |