与元类奇怪的继承

时间:2012-08-25 17:23:13

标签: python inheritance metaclass

当我尝试从具有元类的类继承时,我在Python中遇到了一些非常奇怪的问题。我有这个:

class NotifierMetaclass(type):

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

        attrs = ((name, value) for name, value in dct.items()
                    if not name.startswith('__'))

        def wrap_method(meth):
            return instance_wrapper()(meth) # instance_wrapper is a decorator of my own

        def is_callable(value):
            return hasattr(value, '__call__')

        decorated_meth = dict(
            (name, value) if not is_callable(value)
            else (name, wrap_method(value))
            for name, value in attrs
        )

        return super(NotifierMetaclass, cls).__new__(
            cls, name, bases, decorated_meth
        )


class Notifier(object):

    def __init__(self, instance):
        self._i = instance

    __metaclass__ = NotifierMetaclass

然后,在notifiers.py中:

from helpers import Notifier

class CommentNotifier(Notifier):

    def __notification__(self, notification):
        return '%s has commented on your board' % self.sender

    def __notify__(self):
        receivers = self.retrieve_users()
        notif_type = self.__notificationtype__()
        for user in receivers:
            Notification.objects.create(
                object_id=self.id,
                receiver=user,
                sender_id=self.sender_id,
                type=notif_type
            )

但是,当我尝试导入CommentNotifier时,它会返回Notifier。在shell中:

$ python
Python 2.7.3 (default, Apr 20 2012, 22:44:07) 
[GCC 4.6.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
(InteractiveConsole)
>>> from logic.notifiers import CommentNotifier
>>> CommentNotifier
<class 'helpers.CommentNotifier'>

事实上,这是(至少我认为的那样)实际上我一周前遇到的问题Django models。起初我认为它与Django的工作方式有关,但现在我怀疑它更像是一个带有元类和继承的Python“问题”。
这是一个已知问题还是我只是做错了?希望你能帮帮我 编辑:我忘了提到我将这个“错误”归因于元类,因为如果我没有给Notifier一个元类,它会按预期工作。

1 个答案:

答案 0 :(得分:2)

好的,我想我明白了。正在导入正确的类。它只是名字错了。如果在类上设置属性,您应该能够看到这一点。如果将someJunk = "Notifier"放在Notifier定义中,并在CommentNotifier定义中放置someJunk = "CommentNotifier",那么当您导入CommentNotifier时,它将具有正确的值。

问题在于,在创建attrs时,您会排除所有双下划线属性,包括__module__。当您调用超类__new__时,您传入的attrs没有__module__条目,因此Python会为您创建一个。{1}}。但由于此代码在包含元类的文件中执行,因此模块被错误地设置为元类的文件,而不是实际类的文件。

我没有看到您为类的实际名称观察到的行为,仅针对模块。也就是说,对我来说导入的类名为metafile.CommentNotifier,其中metafile是包含元类的文件。它应该命名为submeta.CommentNotifier,其中submeta是包含CommentNotifierClass的文件。我不确定你为什么会在__name__看到它,但如果对不同的Python版本的模块/名称赋值的微妙处理有所不同,我也不会感到惊讶。

__notify____notification__不是Python魔术方法。您似乎排除了双下划线方法,因为您使用双下划线表示出于您自己的目的。你不应该这样做。如果必须,请为您自己的方法使用一些其他前缀(如_Notifier或其他内容),然后排除这些方法并单独留下双下划线方法。排除双下划线方法可能会导致其他问题。特别是,如果你决定在使用这个元类的类上定义一个真正的魔术方法(例如,__str__),它将导致失败。

(澄清一下:你可以使用带有双下划线的开始的方法作为私有属性,虽然这可能不是一个好主意。但是,如果你这样做,你需要确保你只对这些属性进行特殊处理,而不是那些以结尾的双重下划线,这是Python内部的魔术方法。你不应该做的就是创建你自己的名字开头和结尾都有双下划线,例如__notify__。)