How can I return the index of an object based on the key value in the object if the objects are in an array like the following.
JavaScript
x
6
1
[{"fruit":"apple", "color":"red"},{"fruit":"orange", color: "orange"},{"fruit":"kiwi", color: "green"}]
2
3
//expected output for apple is 0
4
//expected output for orange is 1
5
//expected output for kiwi is 2
6
Advertisement
Answer
You can user findIndex
JavaScript
1
5
1
const arr = [{"fruit":"apple", "color":"red"},{"fruit":"orange", color: "orange"},{"fruit":"kiwi", color: "green"}];
2
3
console.log(arr.findIndex(x => x.fruit === "apple"))
4
console.log(arr.findIndex(x => x.fruit === "orange"))
5
console.log(arr.findIndex(x => x.fruit === "kiwi"))
If you have to search with same prop over and over again you can create a separate function for that.
JavaScript
1
7
1
const arr = [{"fruit":"apple", "color":"red"},{"fruit":"orange", color: "orange"},{"fruit":"kiwi", color: "green"}];
2
3
const findByFruit = (arr, fruit) => arr.findIndex(x => x.fruit === fruit)
4
5
console.log(findByFruit(arr, 'apple'))
6
console.log(findByFruit(arr, 'orange'))
7
console.log(findByFruit(arr, 'kiwi'))