本文介绍了单行列表理解:if-else变体的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

更多关于python列表理解语法.我有一个列表推导,可以产生给定范围的奇数列表:

It's more about python list comprehension syntax. I've got a list comprehension that produces list of odd numbers of a given range:

[x for x in range(1, 10) if x % 2]

这将成为一个过滤器-我有一个源列表,其中删除了偶数(if x % 2).我想在这里使用if-then-else之类的东西.以下代码失败:

This makes a filter - I've got a source list, where I remove even numbers (if x % 2). I'd like to use something like if-then-else here. Following code fails:

>>> [x for x in range(1, 10) if x % 2 else x * 100]
  File "<stdin>", line 1
    [x for x in range(1, 10) if x % 2 else x * 100]
                                         ^
SyntaxError: invalid syntax

有一个类似if-else的python表达式:

There is a python expression like if-else:

1 if 0 is 0 else 3

如何在列表理解中使用它?

How to use it inside a list comprehension?

推荐答案

x if y else z是您要为每个元素返回的表达式的语法.因此,您需要:

x if y else z is the syntax for the expression you're returning for each element. Thus you need:

[ x if x%2 else x*100 for x in range(1, 10) ]

混淆是由于您在第一个示例中使用了 filter 而不是在第二个示例中.在第二个示例中,您仅使用三元运算符将每个值映射到另一个值.

The confusion arises from the fact you're using a filter in the first example, but not in the second. In the second example you're only mapping each value to another, using a ternary-operator expression.

使用过滤器,您需要:

[ EXP for x in seq if COND ]

没有过滤器,您需要:

[ EXP for x in seq ]

在第二个示例中,该表达式是一个复杂"表达式,其中恰好包含一个if-else.

and in your second example, the expression is a "complex" one, which happens to involve an if-else.

这篇关于单行列表理解:if-else变体的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

08-01 07:16