python 中的@classmethod
时间: 2023-05-20 15:06:27 浏览: 83
@classmethod 是一个装饰器,用于定义类方法。类方法是在类级别上调用的方法,而不是在实例级别上调用的方法。在类方法中,第一个参数通常是 cls,它表示类本身。使用 @classmethod 装饰器可以让我们在类方法中访问类属性,而不是实例属性。例如:
class MyClass:
x = 0
@classmethod
def class_method(cls):
print(cls.x)
MyClass.class_method() # 输出 0
在上面的例子中,我们定义了一个类方法 class_method,它可以访问类属性 x。我们可以通过 MyClass.class_method() 调用这个类方法,而不需要创建 MyClass 的实例。
相关问题
python中@classmethod
@classmethod是Python中的一个装饰器,用于定义类方法。类方法是一种特殊的方法,它与实例方法不同,它不需要实例化对象就可以被调用。在类方法中,第一个参数通常被命名为“cls”,它代表当前类对象。使用@classmethod装饰器可以将一个普通的方法转换为类方法。
python中@classmethod使用
@classmethod是Python中的一个装饰器,用于定义一个类方法。类方法与实例方法不同,它不需要实例化类,而是直接通过类本身调用。类方法的第一个参数通常被命名为"cls",用于表示类本身。然后可以通过"cls"参数来调用类的属性、方法和实例化对象等。
下面是一个简单的示例代码:
```python
class TestClass(object):
def __init__(self, data_str):
self.data_str = data_str
def get_year(self):
data_list = self.data_str.split('.')
print(data_list[0])
class TestClass2(object):
def __init__(self, data_str):
self.data_str = data_str
@classmethod
def get_year(cls, data_str):
data_list = data_str.split('.')
print(data_list[0])
tc = TestClass('1992.9.2') # 实例化类
tc.get_year() # 调用实例方法
TestClass2.get_year('1992.9.2') # 直接调用类方法
```
在上面的代码中,TestClass中的get_year方法是一个实例方法,需要通过实例化类来调用。而TestClass2中的get_year方法被@classmethod装饰,因此它是一个类方法,可以直接通过类名调用。
阅读全文