在Python中,魔法方法是那些具有特殊名称的方法,Python的内置功能(如算术运算、索引操作、控制流程等)都是由这些魔法方法提供支持。魔法方法是Python中实现对象协议的基础。
以下是一些常见的Python魔法方法及其使用示例:
__init__
:构造器,用于创建对象时初始化设置。
class MyClass:
def __init__(self, value):
self.value = value
obj = MyClass(10)
__str__
:用于定义对象被转换为字符串时的行为。
class MyClass:
def __init__(self, value):
self.value = value
def __str__(self):
return f"MyClass with value: {self.value}"
obj = MyClass(10)
print(obj) # 输出: MyClass with value: 10
__repr__
:类似于__str__
,但其主要目标是帮助开发者调试。
class MyClass:
def __init__(self, value):
self.value = value
def __repr__(self):
return f"MyClass({self.value})"
obj = MyClass(10)
print(repr(obj)) # 输出: MyClass(10)
__iter__
:定义对象的迭代行为。
class Fib:
def __init__(self, max):
self.max = max
self.n, self.a, self.b = 0, 0, 1
def __iter__(self):
return self
def __next__(self):
if self.n < self.max:
r = self.b
self.a, self.b = self.b, self.a + self.b
self.n = self.n + 1
return r
raise StopIteration
for i in Fib(10):
print(i)
__getitem__
:定义索引访问行为。
class MyList:
def __init__(self, *args):
self.items = [*args]
def __getitem__(self, index):
return self.items[index]
my_list = MyList(1, 2, 3)
print(my_list[1]) # 输出: 2
__setitem__
:定义索引赋值行为。
class MyList:
def __init__(self, *args):
self.items = [*args]
def __setitem__(self, index, value):
self.items[index] = value
my_list = MyList(1, 2, 3)
my_list[1] = 2000
print(my_list.items) # 输出: [1, 2000, 3]
__delitem__
:定义删除行为。
class MyList:
def __init__(self, *args):
self.items = [*args]
def __delitem__(self, index):
del self.items[index]
my_list = MyList(1, 2, 3)
del my_list[1]
print(my_list.items) # 输出: [1, 3]
__call__
:定义对象的调用行为。
class MyCalculator:
def __call__(self, x, y, operator):
if operator == '+':
return x + y
elif operator == '-':
return x - y
# ... 其他操作
calculator = MyCalculator()
result = calculator(10, 5, '+')
print(result) # 输出: 15