使用模块名称(字符串)调用模块函数
- 2024-11-18 08:41:00
- admin 原创
- 13
问题描述:
如何使用带有函数名称的字符串来调用函数?例如:
import foo
func_name = "bar"
call(foo, func_name) # calls foo.bar()
解决方案 1:
foo
给定一个具有方法的模块bar
:
import foo
bar = getattr(foo, 'bar')
result = bar()
getattr
可以类似地用于类实例绑定方法、模块级方法、类方法......等等。
解决方案 2:
使用
locals()
,返回包含当前本地符号表的字典:
locals()["myfunction"]()
使用
globals()
,返回包含全局符号表的字典:
globals()["myfunction"]()
解决方案 3:
根据Patrick 的解决方案,为了动态获取模块,请使用以下命令导入它:
module = __import__('foo')
func = getattr(module, 'bar')
func()
解决方案 4:
只是一个简单的贡献。如果我们需要实例化的类在同一个文件中,我们可以使用类似这样的方法:
# Get class from globals and create an instance
m = globals()['our_class']()
# Get the function (from the instance) that we need to call
func = getattr(m, 'function_name')
# Call it
func()
例如:
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 line
getattr(globals()['A'](), 'sampleFunc')('sample arg')
如果不是类的话:
def sampleFunc(arg):
print('you called sampleFunc({})'.format(arg))
globals()['sampleFunc']('sample arg')
解决方案 5:
给定一个字符串,其中包含一个函数的完整 python 路径,这就是我获取该函数结果的方法:
import importlib
function_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()
解决方案 6:
根据Python 编程常见问题解答,最好的答案是:
functions = {'myfoo': foo.bar}
mystring = 'myfoo'
if mystring in functions:
functions[mystring]()
这种技术的主要优点是字符串不需要与函数名称匹配。这也是用于模拟 case 构造的主要技术
解决方案 7:
我希望没有人想知道答案
类似 Eval 的行为
getattr(locals().get("foo") or globals().get("foo"), "bar")()
为什么不添加自动导入
getattr(
locals().get("foo") or
globals().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")()
解决方案 8:
试试这个。虽然这仍然使用 eval,但它只使用它从当前上下文中调用函数。然后,您就可以根据需要使用真正的函数了。
对我来说,这样做的主要好处是,在调用函数时,您将获得任何与 eval 相关的错误。然后,在调用时,您将只获得与函数相关的错误。
def say_hello(name):
print 'Hello {}!'.format(name)
# get the function by name
method_name = 'say_hello'
method = eval(method_name)
# call it like a regular function later
args = ['friend']
kwargs = {}
method(*args, **kwargs)
解决方案 9:
不管怎样,如果您需要将函数(或类)名称和应用程序名称作为字符串传递,那么您可以这样做:
myFnName = "MyFn"
myAppName = "MyApp"
app = sys.modules[myAppName]
fn = getattr(app,myFnName)
解决方案 10:
由于这个问题如何使用方法名称分配给变量[重复]动态调用类中的方法标记为与此重复,我在这里发布了相关的答案:
场景是,类中的一个方法想要动态调用同一个类中的另一个方法,我在原始示例中添加了一些细节,以提供更广泛的场景和清晰度:
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
解决方案 11:
所有建议都对我没有帮助。不过我确实发现了这一点。
<object>.__getattribute__(<string name>)(<params>)
我正在使用 Python 2.66
希望这有帮助
解决方案 12:
尽管 getattr() 是一种优雅的方法(速度快了大约 7 倍),但你可以使用 eval 从函数(本地、类方法、模块)中获取返回值,就像 一样优雅x = eval('foo.bar')()
。当你实现一些错误处理时,那么就相当安全了(同样的原则也适用于 getattr)。模块导入和类的示例:
# import module, call module function, pass parameters and print retured value with eval():
import random
bar = '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。当函数不存在时,会引发 AttributeError。这可用于处理错误:
# try/except block can be used to catch both errors
try:
eval('Say.talk')() # raises AttributeError because function does not exist
eval('Says.say')() # raises NameError because the class does not exist
# or the same with getattr:
getattr(Say, 'talk')() # raises AttributeError
getattr(Says, 'say')() # raises NameError
except AttributeError:
# do domething or just...
print('Function does not exist')
except NameError:
# do domething or just...
print('Module does not exist')
解决方案 13:
在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]
解决方案 14:
还没有人提到operator.attrgetter
:
>>> from operator import attrgetter
>>> l = [1, 2, 3]
>>> attrgetter('reverse')(l)()
>>> l
[3, 2, 1]
>>>
解决方案 15:
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_base
def f(self, *args):
"""function body will be ignored by the decorator."""
pass
@Base.call_base
def g(self, *args):
"""function body will be ignored by the decorator."""
pass
Inherit().f() # The goal is to print "BASE method invoked."
解决方案 16:
我以前遇到过类似的问题,即将字符串转换为函数。但我不能使用eval()
或ast.literal_eval()
,因为我不想立即执行此代码。
例如,我有一个字符串"foo.bar"
,我想将其指定x
为函数名而不是字符串,这意味着我可以通过x()
ON DEMAND调用该函数。
这是我的代码:
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()
都是危险的方法,请确认其安全性。
解决方案 17:
已验证并测试:
# demo.py
import sys
def f1():
print("Function 1 called")
def f2():
print("Function 2 called")
def f3():
print("Function 3 called")
def f4():
print("Function 4 called")
functions = {
"f1": __name__,
"f2": __name__,
"f3": __name__,
"f4": __name__
}
function_name = input("Enter the name of the function you want to call: ")
try:
func = getattr(sys.modules[functions[function_name]], function_name)
except Exception as e:
print(f"Error: {e}")
else:
func()
测试:
% python3 demo.py
Enter the name of the function you want to call: f1
Function 1 called
解决方案 18:
您应该看看qcall:
from qcall import call
call("foo.bar") # calls foo.bar()
解决方案 19:
这是一个简单的答案,例如,这将允许您清除屏幕。下面有两个示例,使用 eval 和 exec,它们将在清除后在顶部打印 0(例如,如果您使用的是 Windows,请更改clear
为cls
,Linux 和 Mac 用户保持原样)或直接执行它。
eval("os.system(\"clear\")")
exec("os.system(\"clear\")")
- 2024年20款好用的项目管理软件推荐,项目管理提效的20个工具和技巧
- 2024年开源项目管理软件有哪些?推荐5款好用的项目管理工具
- 项目管理软件有哪些?推荐7款超好用的项目管理工具
- 项目管理软件哪个最好用?盘点推荐5款好用的项目管理工具
- 项目管理软件有哪些最好用?推荐6款好用的项目管理工具
- 项目管理软件有哪些,盘点推荐国内外超好用的7款项目管理工具
- 2024项目管理软件排行榜(10类常用的项目管理工具全推荐)
- 项目管理软件排行榜:2024年项目经理必备5款开源项目管理软件汇总
- 2024年常用的项目管理软件有哪些?推荐这10款国内外好用的项目管理工具
- 项目管理必备:盘点2024年13款好用的项目管理软件