2

给定以下代码:

from zope.component import getGlobalSiteManager, adapts, subscribers
from zope.interface import Interface, implements


class A(object): pass
class B(object): pass
class C(B): pass

class AB(object):
    implements(Interface)
    adapts(A, B)

    def __init__(self, a, b):
        pass

class AC(object):
    implements(Interface)
    adapts(A, C)

    def __init__(self, a, c):
        pass

gsm = getGlobalSiteManager()
gsm.registerSubscriptionAdapter(AB)
gsm.registerSubscriptionAdapter(AC)

a = A()
c = C()

for adapter in subscribers([a, c], Interface):
    print adapter

它产生的输出是:

<__main__.AB object at 0xb242290>
<__main__.AC object at 0xb2422d0>

为什么返回 AB 的实例?AB 只声明它适应 A 和 B。有没有一种方法可以实现只返回 AC 的行为?

4

1 回答 1

2

您正在列出订阅者。所有实现他们感兴趣的接口的事物都会通知订阅者。

C是 的子类B,因此B订阅者有兴趣,并会收到通知。C实现更多的事实与B订阅者无关,因为对象将至少实现B接口。

订阅者是通用的,他们只想要实现其接口或其子类的对象。适配器更具体:

>>> gsm.registerAdapter(AB)
>>> gsm.registerAdapter(AC)
>>> from zope.component import getAdapters
>>> for adapter in getAdapters((a, c), Interface):
...     print adapter
... 
(u'', <__main__.AC object at 0x104b25a90>)

getAdapters()枚举所有已注册的适配器及其名称:

>>> class AnotherAC(object):
...     implements(Interface)
...     adapts(A, C)
...     def __init__(self, a, c): pass
... 
>>> gsm.registerAdapter(AnotherAC, name=u'another')
>>> for adapter in getAdapters((a, c), Interface):
...     print adapter
... 
(u'', <__main__.AC object at 0x104b25ed0>)
(u'another', <__main__.AnotherAC object at 0x104b25a90>)
于 2013-05-02T16:00:55.920 回答