使用继承动态加载模块

时间:2013-01-23 15:02:53

标签: python inheritance dynamic import

我知道在这个主题上有几个帖子,但是出于任何理由我无法理解它,或者至少实现它。下面是我想要做的一些示例代码。

基类:

class Animal(object):

    def __init__(self, age):
        self._age = age

    def getAge(self):
        return self._age

    def speak(self):
        raise NotImplementedError()

    def speak_twice(self):
        self.speak()
        self.speak()

子类

from Animal import Animal
class Dog(Animal):
    def speak(self):
        print "woff!"

测试代码

mod = __import__("Dog")
spot = mod(5)

运行测试代码后,我收到此错误:

Traceback (most recent call last):
  File "C:~test.py", line 2, in <module>
    spot = mod(5)
TypeError: 'module' object is not callable

所以基本上我的问题是如何动态加载模块并正确初始化它们?

编辑:

直到运行时我才会知道子类

1 个答案:

答案 0 :(得分:3)

您必须导入模块本身,然后获取其类成员。你不能只导入这个类。假设你的子类在pythonpath中可以作为'animal'访问的文件:

mod = __import__('animal')
spot = mod.Dog(5)

导入模块时,解释器首先查看sys.modules中是否存在具有该名称的模块,然后如果在那里找不到它,则会搜索pythonpath以查找包或模块匹配给定的名字。如果找到一个,它会解析其中的代码,从中构建一个模块对象,将它放在sys.modules上,并将模块对象返回到调用范围,以绑定到它导入的名称。给定的命名空间。模块范围中的模块中的所有项(类,变量,函数)(不嵌套在代码中的其他内容中)随后可作为该模块实例的成员使用。

编辑:

在回复您的评论时,真正的问题是您正在尝试动态查找模块的属性,而不是您尝试动态导入任何内容。最直接的方法是:

import sub_animal
getattr(sub_animal, 'Dog')

但是,如果您尝试根据某些条件动态确定要初始化的类,您可能想要阅读factory pattern,可能还有decorators甚至metaclasses,这样您就可以自动动态地将子类添加到工厂中。

class AnimalFactory(type):

    animal_classes = {}

    def __new__(cls, name, bases, attrs):

        new_class = super(AnimalFactory, cls).__new__(cls, name, bases, attrs)
        AnimalFactory.animal_classes[name] = new_class
        return new_class

    @classmethod
    def build(cls, name, *args, **kwargs):

        try:
            klass = cls.animal_classes[name]
        except KeyError:
            raise ValueError('No known animal %s' % name)
        return klass(*args, **kwargs)

class Animal(object):

    __metaclass__ = AnimalFactory

    def __init__(self, age):

        self.age = age

    def speak(self):

        raise NotImplementedError()

# As long as the file it is implemented in is imported at some point,
# the following can be anywhere

class Dog(Animal):

    def speak(self):

        return 'woof'

# And then to use, again, anywhere

new_animal = AnimalFactory.build('Dog', 5)