问题:
尝试使用以下代码实现方法重载:
<code class="python">class A: def stackoverflow(self): print('first method') def stackoverflow(self, i): print('second method', i) ob = A() ob.stackoverflow(2) # Output: second method 2 ob.stackoverflow() # Error: Takes exactly 2 arguments (1 given)</code>
解决方案:
与方法重写不同,Python 本身不支持方法重载。因此,有必要以不同的方式实现它:
<code class="python">class A: def stackoverflow(self, i='some_default_value'): print('only method') ob = A() ob.stackoverflow(2) # Output: second method 2 ob.stackoverflow() # Output: only method</code>
通过为 i 参数指定默认参数值,单个函数可以处理这两种情况。这种方法根据提供的参数数量有效地重载了函数。
进一步探索:
Python 3.4 使用 functools.singledispatch 装饰器引入了单调度泛型函数:
<code class="python">from functools import singledispatch @singledispatch def fun(arg, verbose=False): if verbose: print("Let me just say, ", end=" ") print(arg) @fun.register(int) def _(arg, verbose=False): if verbose: print("Strength in numbers, eh?", end=" ") print(arg) @fun.register(list) def _(arg, verbose=False): if verbose: print("Enumerate this:") for i, elem in enumerate(arg): print(i, elem)</code>
这提供了一种更明确的方式来定义不同参数类型的方法重载。
以上是Python 可以实现方法重载吗?如何实现?的详细内容。更多信息请关注PHP中文网其他相关文章!