DEV Community

Cover image for JavaScript Tips: Using Array.filter(Boolean)
Mike Bifulco
Mike Bifulco

Posted on • Originally published at mikebifulco.com on

JavaScript Tips: Using Array.filter(Boolean)

What does .filter(Boolean) do on Arrays?

This is a pattern I've been coming across quite a bit lately in JavaScript code, and can be extremely helpful once you understand what's going on. In short, it's a bit of functional programming which is used to remove null and undefined values from an array.

const values = [1, 2, 3, 4, null, 5, 6, 7, undefined];

console.log(values.length);
// Output: 9

console.log(values.filter(Boolean).length);
// Output: 7

// note that this does not mutate the value original array
console.log(values.length);
// Output: 9
Enter fullscreen mode Exit fullscreen mode

How does the Boolean part of .filter(Boolean) work?

We're using a function built into arrays in JavaScript, called Array.prototype.filter, which creates a new array containing all elements that pass the check within the function it takes as an argument. In this case, we're using the JavaScript Boolean object wrapper's constructor as that testing function.

Boolean is a helper class in JavaScript which can be used to test whether a given value or expression evaluates to true or false. There's a subtle, but really important point here - Boolean() follows the JavaScript rules of truthiness. That means that the output Boolean() might not always be what you imagine.

In this context, passing Boolean to .filter is effectively shorthand for doing this:

array.filter((item) => {
  return Boolean(item);
});
Enter fullscreen mode Exit fullscreen mode

which is also approximately the same as

array.filter((item) => {
  return !!item; // evaluate whether item is truthy
});
Enter fullscreen mode Exit fullscreen mode

or, simplified

array.filter(item => !!item)
Enter fullscreen mode Exit fullscreen mode

I suspect that you may have seen at least one of these variations before. In the end, array.filter(Boolean) is just shorthand for any of the other options above. It's the kind of thing that can cause even seasoned programmers to recoil in horror the first time they see it. Near as I can tell, though, it's a perfectly fine replacement.

Examples of Boolean evaluating for truthiness

// straightforward boolean
Boolean(true)   // true
Boolean(false)  // false

// null/undefined
Boolean(null)       // false
Boolean(undefined) // false

// hmm...
Boolean(NaN)  // false
Boolean(0)    // false
Boolean(-0)   // false
Boolean(-1)   // true

// empty strings vs blank strings
Boolean("")   // false
Boolean(" ")  // true

// empty objects
Boolean([]) // true
Boolean({}) // true

// Date is just an object
Boolean(new Date()) // true

// oh god
Boolean("false")                     // true
Boolean("Or any string, really")     // true
Boolean('The blog of Mike Bifulco')  // true
Enter fullscreen mode Exit fullscreen mode

Warning: Be careful with the truth(y)

So - someArray.filter(Boolean) is really helpful for removing null and undefined values, but it's important to bear in mind that there are quite a few confusing cases above... this trick will remove items with a value of 0 from your array! That can be a significant difference for interfaces where displaying a 0 is perfectly fine.

EDIT: Hi, Mike from The Future™️ here - I've edited the next paragraph to reflect the actual truth... I had confused -1 with false from my days as a BASIC programmer, where we'd sometimes create infinite loops with while (-1)... but even that means "while true"!

I also want to call some attention to cases that evaluate to -1. The -1 case can also be unintuitive if you're not expecting it, but true to form, in JavaScript, -1 is a truthy value!

Array.filter(Boolean) For React Developers

I tend to come across this pattern being used fairly often for iterating over collections in React, to clean up an input array which may have had results removed from it upstream for some reason. This protects you from scary errors like Can't read property foo of undefined or Can't read property bar of null.

const people = [
  {
    name: 'Mike Bifulco',
    email: 'hello@mikebifulco.com',
  },
  null,
  null,
  null,
  {
    name: "Jimi Hendrix",
    email: 'jimi@heyjimihimi@guitarsolo',
  }
]

// display a list of people
const PeopleList = ({people}) => {
  return (
    <ul>
      {people.map(person) => {
        // this will crash if there's a null/undefined in the list!
        return (
          <li>{person.name}: {person.email}</li>
        );
      }}
    </ul>
  );
}

// a safer implementation
const SaferPeopleList = ({people}) => {
  return (
    <ul>
      {people
        .filter(Boolean) // this _one weird trick!_
        .map(person) => {
          return (
            <li>{person.name}: {person.email}</li>
          );
        }
      }
    </ul>
  );
}
Enter fullscreen mode Exit fullscreen mode

Functional Programming reminder

Like I mentioned above, this is a handy bit of functional programming -- as is the case with nearly all clever bits of functional programming, it's important to remember that we're not mutating any arrays here - we are creating new ones. Let's show what that means in a quick example:

const myPets = [
  'Leo',
  'Hamilton',
  null,
  'Jet',
  'Pepper',
  'Otis',
  undefined,
  'Iona',
];

console.log(myPets.length); // 8

myPets
  .filter(Boolean) // filter null and undefined
  .forEach((pet) => {
    console.log(pet); // prints all pet names once, no null or undefined present
  });

console.log(myPets.length); // still 8! filter _does not mutate the original array_
Enter fullscreen mode Exit fullscreen mode

Wrapping up

Hopefully this has helped to demystify this little code pattern a bit. What do you think? Is this something you'll use in your projects? Are there dangers/tricks/cases I didn't consider here?

Tell me all about it on twitter @irreverentmike.

If you really like what I've got to say, I'd love it if you subscribed to my newsletter as well. Occasional useful stuff, no spam, and I promise it doesn't suck.

Thanks for reading! 🎉

note: Cover photo for this article is from Pawel Czerwinski on Unsplash

Top comments (0)