通过使用模块的名称(字符串)调用模块的函数

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

import foofunc_name = "bar"call(foo, func_name)  # calls foo.bar()
1025890 次浏览

给定一个具有方法bar的模块foo

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

#0同样可以用于类实例绑定方法、模块级方法、类方法……列表不胜枚举。

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

module = __import__('foo')func = getattr(module, 'bar')func()
  • 使用#0,它返回一个包含当前本地符号表的字典:

    locals()["myfunction"]()
  • 使用#0,它返回一个包含全局符号表的字典:

    globals()["myfunction"]()

为了它的价值,如果你需要将函数(或类)名称和应用程序名称作为字符串传递,那么你可以这样做:

myFnName  = "MyFn"myAppName = "MyApp"app = sys.modules[myAppName]fn  = getattr(app,myFnName)

只是一个简单的贡献。如果我们需要实例化的类在同一个文件中,我们可以这样使用:

# Get class from globals and create an instancem = globals()['our_class']()
# Get the function (from the instance) that we need to callfunc = getattr(m, 'function_name')
# Call itfunc()

例如:

class A:def __init__(self):pass
def sampleFunc(self, arg):print('you called sampleFunc({})'.format(arg))
m = globals()['A']()func = getattr(m, 'sampleFunc')func('sample arg')
# Sample, all on one linegetattr(globals()['A'](), 'sampleFunc')('sample arg')

如果不是一个类:

def sampleFunc(arg):print('you called sampleFunc({})'.format(arg))
globals()['sampleFunc']('sample arg')

这些建议对我都没有帮助,但我确实发现了这一点。

<object>.__getattribute__(<string name>)(<params>)

我正在使用python 2.66

希望这有帮助

给定一个字符串,带有函数的完整python路径,这就是我如何获取上述函数的结果:

import importlibfunction_string = 'mypackage.mymodule.myfunc'mod_name, func_name = function_string.rsplit('.',1)mod = importlib.import_module(mod_name)func = getattr(mod, func_name)result = func()

答案(我希望)从来没有人想要

类评估行为

getattr(locals().get("foo") or globals().get("foo"), "bar")()

为什么不添加自动导入

getattr(locals().get("foo") orglobals().get("foo") or__import__("foo"),"bar")()

以防我们有多余的字典要查

getattr(next((x for x in (f("foo") for f in[locals().get, globals().get,self.__dict__.get, __import__])if x)),"bar")()

我们需要深入调查

getattr(next((x for x in (f("foo") for f in([locals().get, globals().get, self.__dict__.get] +[d.get for d in (list(dd.values()) for dd in[locals(),globals(),self.__dict__]if isinstance(dd,dict))if isinstance(d,dict)] +[__import__]))if x)),"bar")()

根据Python编程常见问题的最佳答案是:

functions = {'myfoo': foo.bar}
mystring = 'myfoo'if mystring in functions:functions[mystring]()

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

试试这个。虽然这仍然使用ava,但它只将它用于从当前上下文中调用函数。然后,您可以随心所欲地使用真正的函数。

对我来说,这样做的主要好处是,您将在调用函数时收到任何与val相关的错误。然后,当您调用时,您将获得与函数相关的错误只有

def say_hello(name):print 'Hello {}!'.format(name)
# get the function by namemethod_name = 'say_hello'method = eval(method_name)
# call it like a regular function laterargs = ['friend']kwargs = {}method(*args, **kwargs)

由于这个问题如何使用方法名赋值给变量[重复]动态调用类中的方法标记为重复,我在这里发布一个相关的答案:

场景是,类中的一个方法想要动态调用同一个类上的另一个方法,我在原始示例中添加了一些细节,提供了更广泛的场景和清晰度:

class MyClass:def __init__(self, i):self.i = i
def get(self):func = getattr(MyClass, 'function{}'.format(self.i))func(self, 12)   # This one will work# self.func(12)    # But this does NOT work.

def function1(self, p1):print('function1: {}'.format(p1))# do other stuff
def function2(self, p1):print('function2: {}'.format(p1))# do other stuff

if __name__ == "__main__":class1 = MyClass(1)class1.get()class2 = MyClass(2)class2.get()

输出(Python 3.7. x)

功能1:12

函数2:12

这是一个简单的答案,例如,这将允许您清除屏幕。下面有两个示例,使用ava和exec,清洁后将在顶部打印0(如果您使用的是Windows,请将clear更改为cls,Linux和Mac用户保持原样)或分别执行它。

eval("os.system(\"clear\")")exec("os.system(\"clear\")")

getattr从对象中按名称调用方法。但是这个对象应该是调用类的父对象。父类可以通过super(self.__class__, self)

获取
class Base:def call_base(func):"""This does not work"""def new_func(self, *args, **kwargs):name = func.__name__getattr(super(self.__class__, self), name)(*args, **kwargs)return new_func
def f(self, *args):print(f"BASE method invoked.")
def g(self, *args):print(f"BASE method invoked.")
class Inherit(Base):@Base.call_basedef f(self, *args):"""function body will be ignored by the decorator."""pass
@Base.call_basedef g(self, *args):"""function body will be ignored by the decorator."""pass
Inherit().f() # The goal is to print "BASE method invoked."

尽管getattr()是优雅的(并且快了大约7倍)方法,但您可以使用像x = eval('foo.bar')()一样优雅的ava从函数(本地、类方法、模块)中获取返回值。当您实现一些错误处理时,然后非常安全(相同的原则可以用于getattr)。模块导入和类的示例:

# import module, call module function, pass parameters and print retured value with eval():import randombar = 'random.randint'randint = eval(bar)(0,100)print(randint) # will print random int from <0;100)
# also class method returning (or not) value(s) can be used with eval:class Say:def say(something='nothing'):return something
bar = 'Say.say'print(eval(bar)('nice to meet you too')) # will print 'nice to meet you'

当模块或类不存在(拼写错误或更好的东西)时,会引发NameError。当函数不存在时,会引发At的teError。这可用于处理错误:

# try/except block can be used to catch both errorstry:eval('Say.talk')() # raises AttributeError because function does not existeval('Says.say')() # raises NameError because the class does not exist# or the same with getattr:getattr(Say, 'talk')() # raises AttributeErrorgetattr(Says, 'say')() # raises NameErrorexcept AttributeError:# do domething or just...print('Function does not exist')except NameError:# do domething or just...print('Module does not exist')

我以前也遇到过类似的问题,就是将字符串转换为函数。但是我不能使用#0或#1,因为我不想立即执行此代码。

例如,我有一个字符串"foo.bar",我想将它分配给x作为函数名而不是字符串,这意味着我可以通过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()是一种危险的方法,您应该确认安全性。

在python3中,您可以使用__getattribute__方法。请参阅以下带有列表方法名称字符串的示例:

func_name = 'reverse'
l = [1, 2, 3, 4]print(l)>> [1, 2, 3, 4]
l.__getattribute__(func_name)()print(l)>> [4, 3, 2, 1]

还没有人提到operator.attrgetter

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

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

import foomethod = foo.barexecuted = method(parameter)

这不是一个更好的pythonic方式确实是可能的准时情况下