Python函数和Python对象方法,哪个更基础?
在Python中,函数是一个可调用对象,即可以使用调用运算符调用。但是,其他对象也可以通过实现__call__方法来模拟函数。
示例
def a(): pass # a() is an example of function print a print type(a)
输出
C:/Users/TutorialsPoint/~.py <function a at 0x0000000005765C18> <type 'function'>
方法是一种特殊的函数,可以是绑定或未绑定的。
示例
class C: def c(self): pass print C.c # example of unbound method print type(C.c) print C().c # example of bound method print type(C().c) print C.c()
当然,未绑定的方法在不传递参数的情况下无法调用。
输出
<function a at 0xb741b5a4> <type 'function'> <unbound method C.c> <type 'instancemethod'> <bound method C.c of <__main__.C instance at 0xb71ade0c>> <type 'instancemethod'> Traceback (most recent call last): File "~.py", line 11, in <module> print C.c() TypeError: unbound method c() must be called with C instance as first argument (got nothing instead)
在Python中,绑定方法、函数、可调用对象(即实现了__call__方法的对象)或类构造函数之间没有太大区别。它们看起来都一样,只是命名约定不同,尽管在底层实现上可能差异很大。
这意味着绑定方法可以作为函数使用,这是使Python如此强大的众多小细节之一。
>>> d = A().a #this is a bound method of A() >>> d() # this is a function
这也意味着,即使len(...)和str(...)之间存在根本区别(str是类型构造函数),我们也不会注意到差异,除非我们深入研究。
>>>len <built-in function len> >>> str <type 'str'>
广告