Calling a function of a module by using its name (a string)

What is the best way to go about calling a function given a string with the function's name in a Python program. For example, let's say that I have a module foo , and I have a string whose contents are "bar" . What is the best way to go about calling foo.bar() ?

I need to get the return value of the function, which is why I don't just use eval . I figured out how to do it by using eval to define a temp function that returns the result of that function call, but I'm hoping that there is a more elegant way to do this.


Assuming module foo with method bar :

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

As far as that goes, lines 2 and 3 can be compressed to:

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

if that makes more sense for your use case. You can use getattr in this fashion on class instance bound methods, module-level methods, class methods... the list goes on.


locals()["myfunction"]()

or

globals()["myfunction"]()

locals returns a dictionary with a current local symbol table. globals returns a dictionary with global symbol table.


Patrick's solution is probably the cleanest. If you need to dynamically pick up the module as well, you can import it like:

module = __import__('foo')
func = getattr(module, 'bar')
func()
链接地址: http://www.djcxy.com/p/1616.html

上一篇: 多进程与线程Python

下一篇: 通过使用其名称调用模块的功能(字符串)