如何使用带有函数名称的字符串调用函数?例如:

import foo
func_name = "bar"
call(foo, func_name)  # calls foo.bar()

当前回答

还没有人提到operator.attrgetter:

>>> from operator import attrgetter
>>> l = [1, 2, 3]
>>> attrgetter('reverse')(l)()
>>> l
[3, 2, 1]
>>> 

其他回答

根据Python编程常见问题解答,最好的答案是:

functions = {'myfoo': foo.bar}

mystring = 'myfoo'
if mystring in functions:
    functions[mystring]()

这种技术的主要优点是字符串不需要与函数的名称匹配。这也是用于模拟案例构造的主要技术

基于Patrick的解决方案,要动态获取模块,请使用以下方法导入:

module = __import__('foo')
func = getattr(module, 'bar')
func()

我以前也遇到过类似的问题,那就是将字符串转换为函数。但我不能使用eval()或ast.literal_eval(),因为我不想立即执行这段代码。

例如,我有一个字符串“foo.bar”,我想将它指定给x作为函数名,而不是字符串,这意味着我可以在DEMAND上通过x()调用函数。

这是我的代码:

str_to_convert = "foo.bar"
exec(f"x = {str_to_convert}")
x()

至于您的问题,您只需要添加模块名foo和。在{}之前,如下所示:

str_to_convert = "bar"
exec(f"x = foo.{str_to_convert}")
x()

警告!!!eval()或exec()是一种危险的方法,您应该确认其安全性。警告!!!eval()或exec()是一种危险的方法,您应该确认其安全性。警告!!!eval()或exec()是一种危险的方法,您应该确认其安全性。

给定带有方法栏的模块foo:

import foo
bar = getattr(foo, 'bar')
result = bar()

getattr可以类似地用于类实例绑定方法、模块级方法、类方法。。。名单还在继续。

你的意思是从模块中获取指向内部函数的指针

import foo
method = foo.bar
executed = method(parameter)

这并不是一种更好的蟒蛇方式,对于准时的情况确实是可能的