今天我正在查看另一个代码,看到了这个:
class A(B):
# Omitted bulk of irrelevant code in the class
def __init__(self, uid=None):
self.uid = str(uid)
@classmethod
def get(cls, uid):
o = cls(uid)
# Also Omitted lots of code here
这个cls()
函数在这里做了什么?
如果我让其他一些类继承了这个A
类,请调用它C
,在调用此get方法时,这个o
会使用C
类作为调用者吗? cls()
?
答案 0 :(得分:11)
cls
是构造函数,它将构造类A并调用__init__(self, uid=None)
函数。
如果你使用它(使用C),cls将保持'C',(而不是A),请参阅AKX答案。
答案 1 :(得分:8)
对于classmethod
s,第一个参数是调用类方法的类,而不是通常self
用于instancemethod
的类(类中的所有方法都是隐式的)除非另有说明)。
这是一个例子 - 为了练习,我添加了一个检查cls
参数标识的异常。
class Base(object):
@classmethod
def acquire(cls, param):
if cls is Base:
raise Exception("Must be called via subclass :(")
return "this is the result of `acquire`ing a %r with %r" % (cls, param)
class Something(Base):
pass
class AnotherThing(Base):
pass
print Something.acquire("example")
print AnotherThing.acquire("another example")
print Base.acquire("this will crash")
this is the result of `acquire`ing a <class '__main__.Something'> with 'example'
this is the result of `acquire`ing a <class '__main__.AnotherThing'> with 'another example'
Traceback (most recent call last):
File "classmethod.py", line 16, in <module>
print Base.acquire("this will crash")
File "classmethod.py", line 5, in acquire
raise Exception("Must be called via subclass :(")
Exception: Must be called via subclass :(
答案 2 :(得分:7)
这是一个班级工厂。
基本上与调用相同:
o = A(uid)
cls
中的 def get(...):
A
。