I have a JavaScript array with some empty (maybe null or undefined) elements. I need to find those empty indexes (1 and 3).
JavaScript
x
2
1
['red',,'orange',,'blue','white','black']
2
But my solution is not working:
JavaScript
1
6
1
for (let i = 0; i < array.length; i++) {
2
if (array[i] === undefined) { // Same problem with null or ''
3
console.log('No color: ' + i);
4
}
5
}
6
Snippet:
JavaScript
1
7
1
const array = ['red', , 'orange', , 'blue', 'white', 'black'];
2
3
for (let i = 0; i < array.length; i++) {
4
if (array[i] === undefined) { // Same problem with null or ''
5
console.log('No color: ' + i);
6
}
7
}
Advertisement
Answer
Use a blank string to compare to get the answer you desire. If you also want to check for undefined you can use logical or to check both of them.
JavaScript
1
8
1
const array = ['red','', 'orange',, 'blue', 'white', 'black'];
2
3
for (let i = 0; i < array.length; i++) {
4
if (array[i] === '' || array[i] === undefined) {
5
console.log('No color: ' + i);
6
}
7
}
8