函数重载是OOP的基本特性之一, 名字相同但参数类型或个数不同时执行不同的函数. 但因为Python是弱类型语言(不需要声明变量类型), 所以它不支持通过参数类型来支持重载. 这是Python在3之前的不足之处. 3.4之后, Python也提供重载机制: 转发(Dispatch).
singledispatch
#!/usr/bin/python3
from functools import singledispatch
@singledispatch
def to_str(obj):
print('%r'%(obj))
@to_str.register(int)
def _to_str(obj):
print('Integer: %d'%(obj))
@to_str.register(str)
def _to_str(obj):
print('String: %s'%(obj))
@to_str.register(list)
def _to_str(obj):
print('List: %r'%(obj))
if __name__ == "__main__":
to_str(1)
to_str('hello')
to_str(range(3))
to_str(object)
执行脚本, 得到输出:
Integer: 1
String: hello
range(0, 3)
<class 'object'>
其中, 有两个关键的接口: singledispatch
与register
. 还需要注意, 定义重载函数时, 函数名(_to_str
)不能与被重载函数(to_str
)一样, 那样会覆盖被重载函数, 导致报错. 另外, singledispatch
只支持根据第一个参数的类型来重载. Python3标准库中好像没有对多参数重载的支持.