Python
Python 内置函数:callable
0X00 换个方式定义函数
本篇内容不严格区分 function 与 method 🥹
我们都知道在 Python 中如何定义一个函数,只需要 def foo(arg_1, arg_2, *args, **kwargs)
就足够了。知道的稍微多一些呢可能知道「Python 中万物皆对象,所以函数的调用也只是调用了函数对象中的 __call__
方法」,所以我们可以尝试用这种方式调用一个函数
def say_hello():
print('hello, world')
say_hello.__call__()
# output
# hello, world
既然可以这样调用了,我们也就可以用类似的方法来定义一个假的
function,可以发现我们自定义了随便一个类,但是只要它实现了 __call__
方法就可以被当做函数一样调用
class Foo:
def __call__(self):
print('hello, world')
foo = Foo()foo()
# output
# hello, world
0X01 callable
根据上面的方法可知我们可以用 hasattr(obj, '__call__')
来判断某个对象是不是函数,事实上我也确实在同事的代码里看到过这样用的。其实 Python 内置了一个名为 callable
的函数可以用,不过跟 hasattr(obj, '__call__')
并不完全一致
class Foo:
pass
class Bar:
def __call__(self):
pass
func = lambda x : x
print(hasattr(Foo, '__call__'), callable(Foo))
# output: (False, True)
print(hasattr(Foo(), '__call__'), callable(Foo()))
# output: (False, False)
print(hasattr(Bar, '__call__'), callable(Bar))
# output: (True, True)
print(hasattr(Bar(), '__call__'), callable(Bar()))
# output: (True, True)
print(hasattr(func, '__call__'), callable(func))
# output: (True, True)
测试代码的第一行 Foo
类因为没有实现 __call__
方法所以 hasattr
返回的是False
,而它是一个类,调用它就会实例化一个对象出来,所以它是可调用的,所以 callable
就返回了 True
;第二行Foo
类也没有实现 __call__
方法所以 hasattr
返回的是 False
,而且它又只是个普通对象,不是一个 class
所以导致 callable
也返回了 False
;第三行因为 Bar
类实现了 __call__
方法所以 hasattr
和 callable
都返回了 True
;第四行也同理;第五行本是一个函数,所以也都返回了 True
。
需要注意的是官方文档提到「callable
返回了 True
的不一定真的能调用成功,但是返回 False
的一定不能成功」,比如你强行给某个类设置了一个 __call__
但是又不是函数,可能就会出现这样的问题。不过你非要这么写的话,小心被同事打死噢 🤔
class Foo:
def __init__(self):
self.__call__ = '???'
foo = Foo()print(hasattr(foo, '__call__'))
print(callable(foo))
foo()
# output
# True
# True
# Traceback (most recent call last):
# File "hello.py", line 8, in <module>
# foo()
# TypeError: 'str' object is not callable
相关的官方文档:https://docs.python.org/3/library/functions.html#callable
感谢您的支持
如果您喜欢这篇文章,可以通过以下方式支持我:
data:image/s3,"s3://crabby-images/fb147/fb1471eaa152fbb80c657630025fb8a98e1d4130" alt="支付宝"
data:image/s3,"s3://crabby-images/3cec8/3cec8ab10ba630fd5b007f0e33334626bb694151" alt="支付宝"
data:image/s3,"s3://crabby-images/f75b7/f75b702f921bc32bcb05f340ffd1cf146f993089" alt="微信"
data:image/s3,"s3://crabby-images/bfeee/bfeee2bda0ea8de8d0a8d980c45e9f9fe9403772" alt="微信"
data:image/s3,"s3://crabby-images/8e582/8e582d8c77a4b478275f415a07d674e542d5e8a5" alt="TRC20"
data:image/s3,"s3://crabby-images/cf7d0/cf7d00dee697ce902379ec140327f8a615581b88" alt="TRC20"
评论区