有没有办法完成这样的事情?我在Python工作,但我不确定是否有办法用任何编程语言来做...
class Parent():
class_attribute = "parent"
@staticmethod
def class_method():
print __class__.class_attribute
class Child(Parent):
class_attribute = "child"
我知道我无法直接致电__class__
。它只是一个例子,因为我想要类似于类本身的引用,因为我希望子类基于其class_attribute以不同的方式行动。
然后假定的输出应该是这样的:
> Parent.class_method()
"parent"
> Child.class_method()
"child"
我知道通过实例可以实现相同的技术。但是我不想创建实例,因为有时候__init__
方法中的代码可能很长且要求很高,如果我想经常调用class_method
,我将不得不创建大量实例只为这一个方法调用。因为class_attribute
和class_method
是静态的,不会被实例更改。
答案 0 :(得分:9)
呃,听起来你想要一个类方法,这对于classmethod
装饰器来说并不奇怪:
class Parent(object):
class_attribute = "parent"
@classmethod
def class_method(cls):
print cls.class_attribute
class Child(Parent):
class_attribute = "child"
>>> Parent.class_method()
parent
>>> Child.class_method()
child
或者,正如bgporter指出的那样,你可以直接使用属性来完成它,而根本不需要这些方法。
答案 1 :(得分:3)
它只适用于Python,无论是否创建实例:
>>> class Parent(object):
... attribute = "parent"
...
>>> class Child(Parent):
... attribute = "child"
...
>>> p = Parent()
>>> p.attribute
'parent'
>>> c = Child()
>>> c.attribute
'child'
>>> Parent.attribute
'parent'
>>> Child.attribute
'child'
>>>