List comprehension with if statement

2019-01-04 00:52发布

I want to compare 2 iterables and print the items which appear in both iterables.

>>> a = ('q', 'r')
>>> b = ('q')


# Iterate over a. If y not in b, print y.
# I want to see ['r'] printed.
>>> print([ y if y not in b for y in a])
                              ^

But it gives me a invalid syntax error where the ^ has been placed. What is wrong about this lamba function?

4条回答
来,给爷笑一个
2楼-- · 2019-01-04 01:41

You got the order wrong. The if should be after the for (unless it is in an if-else ternary operator)

[y for y in a if y not in b]

This would work however:

[y if y not in b else other_value for y in a]
查看更多
贪生不怕死
3楼-- · 2019-01-04 01:45

list comprehension formula:

[<value_when_condition_true> if <condition> else <value_when_condition_false> for value in list_name]

thus you can do it like this:

[y for y in a if y not in b]

Only for demonstration purpose : [y if y not in b else False for y in a ]

查看更多
We Are One
4楼-- · 2019-01-04 01:46

You put the if at the end:

[y for y in a if y not in b]

List comprehensions are written in the same order as their nested full-specified counterparts, essentially the above statement translates to:

outputlist = []
for y in a:
    if y not in b:
        outputlist.append(y)

Your version tried to do this instead:

outputlist = []
if y not in b:
    for y in a:
        outputlist.append(y)

but a list comprehension must start with at least one outer loop.

查看更多
\"骚年 ilove
5楼-- · 2019-01-04 01:46

This is not a lambda function. It is a list comprehension.

Just change the order:

[ y for y in a if y not in b]
查看更多
登录 后发表回答