6
def f1(n): #accepts one argument
    pass

def f2(): #accepts no arguments
    pass

FUNCTION_LIST = [(f1,(2)), #each list entry is a tuple containing a function object and a tuple of arguments
                 (f1,(6)),
                 (f2,())]

for f, arg in FUNCTION_LIST:
    f(arg)

在循环的第三次循环中,它尝试将一个空的参数元组传递给一个不接受任何参数的函数。它给出了错误TypeError: f2() takes no arguments (1 given)。前两个函数调用正常工作——传递的是元组的内容,而不是元组本身。

摆脱有问题的列表条目中的空参数元组并不能解决问题:

FUNCTION_LIST[2] = (f2,)
for f,arg in FUNCTION_LIST:
    f(arg)

结果ValueError: need more than 1 value to unpack

我也尝试过迭代索引而不是列表元素。

for n in range(len(FUNCTION_LIST)):
    FUNCTION_LIST[n][0](FUNCTION_LIST[n][1])

TypeError这在第一种情况下给出了相同的结果,IndexError: tuple index out of range当列表的第三个条目是(f2,).

最后,星号符号也不起作用。这次它在调用时出错f1

for f,args in FUNCTION_LIST:
    f(*args)

TypeError: f1() argument after * must be a sequence, not int.

我已经没有东西可以尝试了。我仍然认为第一个应该工作。谁能指出我正确的方向?

4

4 回答 4

9

您在此代码段中的评论显示了与此上下文相关的误解:

FUNCTION_LIST = [(f1,(2)), #each list entry is a tuple containing a function object and a tuple of arguments
                 (f1,(6)),
                 (f2,())]

表达式(2)and(6)不是元组——它们是整数。您应该使用(2,)and(6,)来表示您想要的单元素元组。修复此问题后,您的循环代码应如下所示:

for f, args in FUNCTION_LIST:
    f(*args)

有关语法的解释,请参阅Python 教程中的Unpacking Argument Lists 。*args

于 2012-08-09T12:23:42.803 回答
3

问题是这样的符号:

(6)

计算为整数值,你需要元组,所以这样写:

(6, )

你的星号符号会成功。

于 2012-08-09T12:24:21.637 回答
0

尝试通过 *()而不是(). 该*符号告诉python解包它后面的迭代,因此它解包空元组并且什么都不传递给函数,因为元组是空的。

于 2012-08-09T12:23:25.837 回答
0

作为记录,我后来发现的一个不错的选择是使用functools.partial. 下面的代码做了我想做的事情:

from functools import partial

def f1(n): #accepts one argument
    pass

def f2(): #accepts no arguments
    pass

FUNCTION_LIST = [partial(f1,2), #each list entry is a callable with the argument pre-ordained
                 partial(f1,6),
                 partial(f2)] #the call to partial is not really necessary for the entry with no arguments.

for f in FUNCTION_LIST: f()
于 2012-08-10T14:27:02.507 回答