在实际工作中,我们不可避免地要处理空值。相信很多初学者都会写出如下代码:
if a is None:
do something.
else:
do the other thing.
python学习网,大量的免费
,欢迎在线学习!
这样写看起来不错,但实际上有问题。一般来说,Python 将以下情况视为空值:
None
False
0,0.0,0L
'',(),[],{}
None 的特殊之处在于它既不是值 0 也不是数据结构的空值,它本身就是一个空值对象。它的类型是NoneType,遵循单例模式,即同一个命名空间中的所有None本质上都是同一个空对象。
>>> id(None)
1795884240
>>> None == 0
False
>>> None == ''
False
>>> a = None
>>> id(a)
1795884240
>>> a == None
True
上面的判断显然不符合我们的预期:a==None 只有在 a 显示为 None 时才为 True。
那么,对于 Python 中更广义的 None 值判断,我们应该怎么做呢?
>>> a = '' #这里仅以空字符串为例,其他空值同样适用
>>> if a:
... print 'a is not empty'
... else:
... print 'a is a empty string'
'a is a empty string.'
可以看出if a的判断方法已经得到了我们想要的结果,那么if a的判断方法的流程是怎样的呢?
如果a会先调用a的__nonzero__()判断a是否为空,返回True/False,如果一个对象没有定义__nonzero__(),会调用它的__len__()判断(这里返回值为0表示空),如果一个对象没有定义上述两个方法,那么 if a 的结果将永远为 True
接下来验证一下上面的说法:
>>>class A(object):
... def __nonzero__(self):
... print 'running on the __nonzero__'
... return True
>>>class B(object):
... def __len__(self):
... print 'running on the __len__'
... return False
>>> a, b = A(), B()
>>>if a:
... print 'Yep'
... else:
... print 'Nop'
running on the __nonzero__
Yep
>>>if b:
... print 'Yep'
... else:
... print 'Nop'
running on the __len__
Nop
本文为原创文章,版权归知行编程网所有,欢迎分享本文,转载请保留出处!
你可能也喜欢
- ♥ python下载模块01/12
- ♥ python3如何使用re导出文本数据?01/12
- ♥ python3和2中的print有什么区别?11/16
- ♥ pycharm找不到python怎么办10/06
- ♥ python中的Qt是什么10/17
- ♥ 在 Python 中使用 numpy.where() 函数11/22
内容反馈