创建一个有点像borglike的类

2024-09-27 23:24:08 发布

您现在位置:Python中文网/ 问答频道 /正文

我在努力做一门博格式的课。我希望一个特定的属性被所有实例共享,但其他属性我希望是唯一的实例。到目前为止,我掌握的情况如下:

class SharedFacility:
  _facility = None

  def __init__(self):
    entries = {'facility': self._facility}
    self.__dict__.update(entries) 

  def _getfacility(self):
    return self._facility

  def _setfacility(self, value):
    self._facility = value

  facility = property(_getfacility, _setfacility)


class Warning(SharedFacility):
  def __init__(self, warnlevel, warntext):
    SharedFacility.__init__(self)
    print "Warning.__init__()"
    self.warntext = warntext
    self.warnlevel = warnlevel

  def __call__(self):
    self.facility(self.warnlevel, self.warntext)


def functionOne(a,b):
  print 'functionOne: a=%s, b=%s' % (a,b)

def functionTwo(a,b):
  print 'functionTwo: a=%s, b=%s' % (a,b)

####################################################
w1 = Warning(1, 'something bad happened')
w1.facility = functionOne
w2 = Warning(5, 'something else bad happened')
import pdb; pdb.set_trace()

if w1.facility is w2.facility:
  print "They match!"

w1() # functionOne: a=1, b='something bad happened'
w2() # functionOne: a=5, b='something else bad happened'

w2.facility = functionTwo
if w1.facility is w2.facility:
  print "They match!"

w1() # functionTwo: a=1, b='something bad happened'
w2() # functionTwo: a=5, b='something else bad happened'

上面的代码不起作用。我希望w1.facility和w2.facility是对同一对象的引用,但是w1.warntext和w2.warntext是两个不同的值。我正在使用python2.4.3(没有必要提到我升级了,因为我不能升级)。你知道吗

解决方案

class Warning(object):
  _facility = None

  def __init__(self, warnlevel, warntext):
    print "Warning.__init__()"
    self._warntext = warntext
    self._warnlevel = warnlevel

  def __call__(self):
    Warning._facility(self._warnlevel, self._warntext)

  def _getfacility(self):
    return Warning._facility

  def _setfacility(self, value):
    Warning._facility = value

  facility = property(_getfacility, _setfacility)

@staticmethod
def functionOne(a,b):
  print 'functionOne: a=%s, b=%s' % (a,b)

@staticmethod
def functionTwo(a,b):
  print 'functionTwo: a=%s, b=%s' % (a,b)

Tags: selfinitdefsomethingw1badprintwarning
1条回答
网友
1楼 · 发布于 2024-09-27 23:24:08

我会这么做:

class BorgLike:
    _shared = 'default'
    def __init__(self, unique):
        self.unique = unique
    @property
    def shared(self):
        return BorgLike._shared
    @shared.setter
    def shared(self, value):
        BorgLike._shared = value

我希望你知道如何使用这个例子为自己的目的。我不太确定你的代码想要什么,所以我避免猜测,只写了一个简单的例子。你知道吗

相关问题 更多 >

    热门问题