静态方法使用@staticmethod装饰器来定义,它可以通过类或实例直接调用,而不需要实例化对象。静态方法一般用于实现一些通用的辅助函数或工具函数,与类相关但不需要访问类或实例的属性。
class MyClass:
@staticmethod
def my_static_method(x, y):
return x + y
# 使用类调用静态方法
result = MyClass.my_static_method(1, 2)
print(result) # 输出 3
# 使用实例调用静态方法
obj = MyClass()
result = obj.my_static_method(3, 4)
print(result) # 输出 7
类方法使用@classmethod装饰器来定义,它可以通过类或实例调用,但不能访问实例属性,只能访问类属性。类方法一般用于实现一些与类相关的方法,但不需要访问实例属性。
class MyClass:
x = 0
@classmethod
def my_class_method(cls):
cls.x += 1
return cls.x
# 使用类调用类方法
result1 = MyClass.my_class_method()
print(result1) # 输出 1
# 使用实例调用类方法
obj = MyClass()
result2 = obj.my_class_method()
print(result2) # 输出 2
抽象方法使用@abstractmethod装饰器来定义,它没有实现,必须在子类中实现。抽象方法一般用于定义一些接口或规范,让子类实现相同的方法。
from abc import ABC, abstractmethod
class Shape(ABC):
@abstractmethod
def area(self):
pass
class Rectangle(Shape):
def __init__(self, width, height):
self.width = width
self.height = height
def area(self):
return self.width * self.height
class Circle(Shape):
def __init__(self, radius):
self.radius = radius
def area(self):
return 3.14 * self.radius ** 2
# 无法实例化抽象类Shape,必须通过子类实例化
# shape = Shape() # 抛出TypeError异常
# 使用子类实例化
rect = Rectangle(3, 4)
print(rect.area()) # 输出 12
circle = Circle(5)
print(circle.area()) # 输出 78.5