前言
本文主要给大家介绍了关于Python用字符串调用函数或方法的相关内容,分享出来供大家参考学习,下面来一起看看详细的介绍:
先看一个例子:
1
2
3
4
5
6
7
8
9
10
|
>>> def foo():
print "foo"
>>> def bar():
print "bar"
>>> func_list = [ "foo" , "bar" ]
>>> for func in func_list:
func()
TypeError: 'str' object is not callable
|
我们希望遍历执行列表中的函数,但是从列表中获得的函数名是字符串,所以会提示类型错误,字符串对象是不可以调用的。如果我们想要字符串变成可调用的对象呢?或是想通过变量调用模块的属性和类的属性呢?
以下有三种方法可以实现。
eval()
1
2
3
4
|
>>> for func in func_list:
eval (func)()
foo
bar
|
eval() 通常用来执行一个字符串表达式,并返回表达式的值。在这里它将字符串转换成对应的函数。eval() 功能强大但是比较危险(eval is evil),不建议使用。
locals()和globals()
1
2
3
4
5
6
7
8
9
|
>>> for func in func_list:
locals ()[func]()
foo
bar
>>> for func in func_list:
globals ()[func]()
foo
bar
|
locals() 和 globals() 是python的两个内置函数,通过它们可以一字典的方式访问局部和全局变量。
getattr()
getattr() 是 python 的内建函数,getattr(object,name) 就相当于 object.name,但是这里 name 可以为变量。
返回 foo 模块的 bar 方法
1
2
|
>>> import foo
>>> getattr (foo, 'bar' )()
|
返回 Foo 类的属性
1
2
3
4
5
6
7
8
9
|
>>> class Foo:
def do_foo( self ):
...
def do_bar( self ):
...
>>> f = getattr (foo_instance, 'do_' + opname)
>>> f()
|
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
参考
Calling a function of a module from a string with the function's name in Python
How do I use strings to call functions/methods?
原文链接:https://segmentfault.com/a/1190000010476065