I was writing some lambda functions and couldn't figure this out. Is there a way to have something like lambda x: x if (x<3)
in python? As lambda a,b: a if (a > b) else b
works ok. So far lambda x: x < 3 and x or None
seems to be the closest i have found.
Python lambda with if but without else
118.8k Views Asked by root At
5
There are 5 best solutions below
0

You can use ellipsis ...
to fill else
statement
lambda x: x if (x<3) else ...
Note it does not work with pass
.
3

I found that filter
provided exactly what I was looking for in python 2:
>>> data = [1, 2, 5, 10, -1]
>>> filter(lambda x: x < 3, data)
[1, 2, -1]
The implementation is different in 2.x and 3.x: while 2.x provides a list, 3.x provides an iterator. Using a list comprehension might make for a cleaner use in 3.x:
>>> data = [1, 2, 5, 10, -1]
>>> [filter(lambda x: x < 3, data)]
[1, 2, -1]
1

You can always try to invoke 'filter' for conditional checks. Fundamentally, map()
has to work on every occurrence of the iterables, so it cannot pick and choose. But filter may help narrow down the choices. For example, I create a list from 1 to 19 but want to create a tuple of squares of only even numbers.
x = list(range(1,20))
y = tuple(map(lambda n: n**2, filter(lambda n: n%2==0,x)))
print (y)
A lambda, like any function, must have a return value.
lambda x: x if (x<3)
does not work because it does not specify what to return if notx<3
. By default functions returnNone
, so you could doBut perhaps what you are looking for is a list comprehension with an
if
condition. For example: