有没有一种pythonic方式可以在单个命令中解压缩第一个元素和“tail”中的列表?
例如:
>> head, tail = **some_magic applied to** [1, 1, 2, 3, 5, 8, 13, 21, 34, 55]
>> head
1
>>> tail
[1, 2, 3, 5, 8, 13, 21, 34, 55]
最佳答案
在Python 3.x下,您可以很好地做到这一点:
>>> head, *tail = [1, 1, 2, 3, 5, 8, 13, 21, 34, 55]
>>> head
1
>>> tail
[1, 2, 3, 5, 8, 13, 21, 34, 55]
3.x中的一项新功能是在解包时使用
*
运算符,以表示任何其他值。它在PEP 3132 - Extended Iterable Unpacking中描述。这也具有处理任何可迭代的,而不仅仅是序列的优点。它也确实可读。
如PEP中所述,如果要在2.x下执行等效操作(而不可能创建临时列表),则必须执行以下操作:
it = iter(iterable)
head, tail = next(it), list(it)
如注释中所述,这还提供了获得
head
的默认值的机会,而不是引发异常。如果您想要这种行为, next()
将使用可选的第二个参数作为默认值,因此,如果没有head元素,next(it, None)
将为您提供None
。自然,如果您正在处理列表,则不使用3.x语法的最简单方法是:
head, tail = seq[0], seq[1:]
关于python - 头尾一条线,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10532473/