其他分享
首页 > 其他分享> > 如何解压函数返回的元组?

如何解压函数返回的元组?

作者:互联网

我想附加一个包含函数返回值列表的表,其中一些是元组:

def get_foo_bar():
    # do stuff
    return 'foo', 'bar'

def get_apple():
    # do stuff
    return 'apple'

table = list()
table.append([get_foo_bar(), get_apple()])

这会产生:

>>> table
[[('foo', 'bar'), 'apple']]

但我需要将返回的元组解压缩到该列表中,如下所示:

[['foo', 'bar', 'apple']]

由于解包函数调用[* get_foo_bar()]不起作用,我分配了两个变量用于接收元组的值并改为添加它们:

foo, bar = get_foo_bar()
table.append([foo, bar, get_apple()])

这有效,但可以避免吗?

解决方法:

使用.extend()

>>> table.extend(get_foo_bar())
>>> table.append(get_apple())
>>> [table]
[['foo', 'bar', 'apple']]

或者,您可以连接元组:

>>> table = []
>>> table.append(get_foo_bar() + (get_apple(),))
>>> table
[('foo', 'bar', 'apple')]

标签:python,python-2-7,iterable-unpacking
来源: https://codeday.me/bug/20190612/1228649.html