我知道类似的问题已被多次询问/回答。但请继续阅读..
我正在尝试从Python 3.6中的“Convert string to Python Class Object”中描述的字符串值创建一个Class。
utils.py
class Foo(object):
def __init__(self):
print("In the constructor of Foo")
def What(self):
print("so what ... ")
class FooParam(object):
def __init__(self, v):
self.value = v
print("In the constructor of FooParam")
def What(self):
print("Value=" % self.value)
print("So what now ...")
welcome.py
def TEST1():
m = importlib.import_module("utils")
c = getattr(m, "Foo")
c.What()
if __name__ == '__main__':
TEST1()
错误
TypeError: What() missing 1 required positional argument: 'self'
那么我做错了什么?
另外,如何创建“FooParam”对象并将值传递给构造函数。
谢谢大家...
修改
这里的关键细节使得与所提到的重复项不同的是getattr
仅返回'类名',而不返回指定类的'对象',如我所假设的那样。我来自c ++ world并且假设该函数也接受构造函数参数并返回所提及类的对象。但事实并非如此。
答案 0 :(得分:0)
导入模块后,只需使用存储导入模块的变量进行访问:
m = importlib.import_module("utils")
foo = m.Foo()
foo.What()
import_module
执行与import
相同的步骤。
此c = getattr(m, "Foo")
代码行等效f = Foo
,这意味着您不是在创建实例,而是获得对该类的引用。
答案 1 :(得分:0)
我怀疑c是Foo类,但不是该类的实例。
这相当于简单地调用
Foo.what()
这就是为什么没有定义自我!
你想要的是创建一个类的实例(给它一个自我的属性),然后调用它的方法,即
foo_instance = Foo()
foo_instance.What()
所以尝试用..替换c.What()
foo_instance = c()
foo_instance.What()
对于FooParam:
#import the class FooParam
c = getattr(m, "FooParam")
#create an instance of the class, initializing its values (and self)
fooparam_instance = c(3.14)
#call its method!
fooparam_instance.What()
总的来说我会将变量c重命名为foo_import和fooparam_import:)