我正在开发Flask扩展,为Flask添加CouchDB支持。为了更容易,我已经将couchdb.mapping.Document
子类化,因此store
和load
方法可以使用当前的线程本地数据库。现在,我的代码看起来像这样:
class Document(mapping.Document):
# rest of the methods omitted for brevity
@classmethod
def load(cls, id, db=None):
return mapping.Document.load(cls, db or g.couch, id)
为了简洁,我省略了一些,但那是重要的部分。但是,由于classmethod的工作方式,当我尝试调用此方法时,我收到错误消息
File "flaskext/couchdb.py", line 187, in load
return mapping.Document.load(cls, db or g.couch, id)
TypeError: load() takes exactly 3 arguments (4 given)
我测试用mapping.Document.load.im_func(cls, db or g.couch, id)
替换了呼叫,但是它有效,但我对访问内部im_
属性并不是特别高兴(即使它们已被记录)。有没有人有更优雅的方式来处理这个?
答案 0 :(得分:7)
我认为你实际上需要在这里使用super
。无论如何,这是调用超类方法的更简洁的方法:
class A(object):
@classmethod
def load(cls):
return cls
class B(A):
@classmethod
def load(cls):
# return A.load() would simply do "A.load()" and thus return a A
return super(B, cls).load() # super figures out how to do it right ;-)
print B.load()