这适用于JSON API。 我不想要:
if method_str == 'method_1':
method_1()
if method_str == 'method_2':
method_2()
由于显而易见的原因,这不是最佳的。我如何以可重用的方式将地图字符串用于这样的方法(还要注意我需要将参数传递给被调用的函数)。
以下是一个例子:
INCOMING JSON:
{
'method': 'say_something',
'args': [
135487,
'a_465cc1'
]
'kwargs': {
'message': 'Hello World',
'volume': 'Loud'
}
}
# JSON would be turned into Python with Python's built in json module.
致电:
# Either this
say_something(135487, 'a_465cc1', message='Hello World', volume='Loud')
# Or this (this is more preferable of course)
say_something(*args, **kwargs)
答案 0 :(得分:25)
对于实例方法,请使用getattr
>>> class MyClass(object):
... def sayhello(self):
... print "Hello World!"
...
>>> m=MyClass()
>>> getattr(m,"sayhello")()
Hello World!
>>>
对于函数,您可以查看全局字典
>>> def sayhello():
... print "Hello World!"
...
>>> globals().get("sayhello")()
Hello World!
在这种情况下,由于没有名为prove_riemann_hypothesis
的函数,因此使用默认函数(sayhello
)
>>> globals().get("prove_riemann_hypothesis", sayhello)()
Hello World!
使用此方法的问题是您与其他任何内容共享命名空间。您可能希望防止它不应该的json调用方法。一个好方法是装饰你的功能
>>> json_functions={}
>>> def make_available_to_json(f):
... json_functions[f.__name__]=f
... return f
...
>>> @make_available_to_json
... def sayhello():
... print "Hello World!"
...
>>> json_functions.get("sayhello")()
Hello World!
>>> json_functions["sayhello"]()
Hello World!
>>> json_functions.get("prove_riemann_hypothesis", sayhello)()
Hello World!
答案 1 :(得分:6)
使用getattr。 例如:
class Test(object):
def say_hello(self):
print 'Hell no, world!!111'
def test(self):
getattr(self, 'say_hello')()
答案 2 :(得分:6)
干净,安全的方法是将dict映射到函数名称。如果这些实际上是方法,最好的方法仍然是制作这样的字典,尽管getattr
也可用。使用globals
或eval
是不安全和肮脏的。
答案 3 :(得分:1)
假设函数都是全局变量(除非它们是在另一个函数中定义的,否则它们可以使用globals()
函数访问它们。 globals()
返回所有全局变量的字典,包括函数。
例如:
$ python
Python 2.6.2 (r262:71600, Apr 16 2009, 09:17:39)
[GCC 4.0.1 (Apple Computer, Inc. build 5250)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> def some_function():
... print "Hello World!"
...
>>> globals()
{'__builtins__': <module '__builtin__' (built-in)>, '__name__': '__main__', '__doc__': None, 'some_function': <function some_function at 0x6326b0>, '__package__': None}
>>> globals()['some_function']()
Hello World!