Let’s say I have multiple variables like:
JavaScript
x
6
1
x = 0
2
y = 2
3
4
if x and y:
5
pass
6
How can I determine which of the variables are not True
? I am trying to identify this without using the if
statements. For the above example, I want to just get 0
(falsy value) skipping the 2
(truthy value).
Advertisement
Answer
You can create a tuple
of all your variables. And then use itertools.filterfalse()
with bool
as predicate value to get all the Falsy values from tuple as:
JavaScript
1
6
1
>>> from itertools import filterfalse
2
>>> my_list = (1, "a", False, 2.34, "", 0)
3
4
>>> list(filterfalse(bool, my_list))
5
[False, '', 0]
6
Similarly if you need a list of all the Truthy values, you can use filter()
as:
JavaScript
1
5
1
>>> my_list = (1, "a", False, 2.34, "", 0)
2
3
>>> list(filter(bool, my_list))
4
[1, 'a', 2.34]
5