本节再介绍 Python 类中一个非常特殊的实例方法,即 call()。该方法的功能类似于在类中重载 () 运算符,使得类实例对象可以像调用普通函数那样,以“对象名()”的形式使用。
举个例子:
<pre class="python sh_python snippet-formatted sh_sourceCode" style="margin: 0px; display: block; padding: 0px; font-size: 14px; line-height: 1.6em; color: rgb(102, 102, 102); white-space: pre-wrap; overflow-wrap: break-word; background: none; border: none; border-radius: 0px;">
1. class CLanguage:
2. # 定义__call__方法
3. def __call__(self,name,add):
4. print("调用__call__()方法",name,add)
6. clangs = CLanguage()
7. clangs("C语言中文网","http://c.biancheng.net")
</pre>
程序执行结果为:
调用call()方法 C语言中文网 http://c.biancheng.net
可以看到,通过在 CLanguage 类中实现 call() 方法,使的 clangs 实例对象变为了可调用对象。
Python 中,凡是可以将 () 直接应用到自身并执行,都称为可调用对象。可调用对象包括自定义的函数、Python 内置函数以及本节所讲的类实例对象。
对于可调用对象,实际上“名称()”可以理解为是“名称.call()”的简写。仍以上面程序中定义的 clangs 实例对象为例,其最后一行代码还可以改写为如下形式:
<pre class="python sh_python snippet-formatted sh_sourceCode" style="margin: 0px; display: block; padding: 0px; font-size: 14px; line-height: 1.6em; color: rgb(102, 102, 102); white-space: pre-wrap; overflow-wrap: break-word; background: none; border: none; border-radius: 0px;">
1. clangs.__call__("C语言中文网","http://c.biancheng.net")
</pre>
运行程序会发现,其运行结果和之前完全相同。
这里再举一个自定义函数的例子,例如:
<pre class="python sh_python snippet-formatted sh_sourceCode" style="margin: 0px; display: block; padding: 0px; font-size: 14px; line-height: 1.6em; color: rgb(102, 102, 102); white-space: pre-wrap; overflow-wrap: break-word; background: none; border: none; border-radius: 0px;">
1. def say():
2. print("Python教程:http://c.biancheng.net/python")
3. say()
4. say.__call__()
</pre>
程序执行结果为:
Python教程:http://c.biancheng.net/python
Python教程:http://c.biancheng.net/python
不仅如此,类中的实例方法也有以上 2 种调用方式,这里不再举例,有兴趣的读者可自行编写代码尝试。
用 call() 弥补 hasattr() 函数的短板
前面章节介绍了 hasattr() 函数的用法,该函数的功能是查找类的实例对象中是否包含指定名称的属性或者方法,但该函数有一个缺陷,即它无法判断该指定的名称,到底是类属性还是类方法。
要解决这个问题,我们可以借助可调用对象的概念。要知道,类实例对象包含的方法,其实也属于可调用对象,但类属性却不是。举个例子:
<pre class="python sh_python snippet-formatted sh_sourceCode" style="margin: 0px; display: block; padding: 0px; font-size: 14px; line-height: 1.6em; color: rgb(102, 102, 102); white-space: pre-wrap; overflow-wrap: break-word; background: none; border: none; border-radius: 0px;">
1. class CLanguage:
2. def __init__ (self):
3. self.name = "C语言中文网"
4. self.add = "http://c.biancheng.net"
5. def say(self):
6. print("我正在学Python")
8. clangs = CLanguage()
9. if hasattr(clangs,"name"):
10. print(hasattr(clangs.name,"__call__"))
11. print("**********")
12. if hasattr(clangs,"say"):
13. print(hasattr(clangs.say,"__call__"))
</pre>
程序执行结果为:
False
True
可以看到,由于 name 是类属性,它没有以 call 为名的 call() 方法;而 say 是类方法,它是可调用对象,因此它有 call() 方法。