分类: python2014-08-17 19:51 230人阅读 评论(0) 收藏 举报
今天写代码时无意碰到NotImplemented,我一愣,难道是NotImplementedError的胞弟,所以稍微研究了一下。
NotImplemented故名思议,就是“未实现”,一般是用在一些比较算法中的,如class的__eq__,__lt__等,注意NotImplemented并不是异常,所以不能
使用raise,当没有实现时应该是return NotImplemented。
我们可以看看django中的Field的实现,
- @total_ordering
- class Field(object):
- """Base class for all field types"""
- def __eq__(self, other):
- # Needed for @total_ordering
- if isinstance(other, Field):
- return self.creation_counter == other.creation_counter
- return NotImplemented
- def __lt__(self, other):
- # This is needed because bisect does not take a comparison function.
- if isinstance(other, Field):
- return self.creation_counter < other.creation_counter
- return NotImplemented
那提供NotImplemented有什么好处?好处就在于如果A == B NotImplemented,会去调用B的__eq__方法,如果B也没有会调用cmp方法。
我们看下面一个例子:
- class Person:
- def __init__(self, age):
- self.age = age
- def __eq__(self, other):
- if not isinstance(other, Person):
- return NotImplemented
- return self.age == other.age
如果你们稳定库中有这么一段代码,而且Person可能包含了很多字段,但是你想实现Person和整数比较。
- person=Person(10)
- print person == 10 #False
其实这时你可以简单封装一个age对象,
- class Age:
- def __init__(self, age):
- self.age = age
- def __eq__(self, other):
- return self.age == other.age
- person=Person(10)
- age=Age(10)
- print person == age #True
我们在写一些基础代码时,即使是没实现,也不要raise NotImplementedError,而是return NotImplemented,相当于提供给其它不同对象的比较接口,这对
代码扩展非常有好处。
我们再来看看上面那么直接和10比,为什么是False?
先看下面这段代码:
- class A:
- def __lt__(self, a):
- return NotImplemented
- def __add__(self ,a):
- return NotImplemented
- print A() < A() # True
- print A() < 1 # False
大胆猜测,前面说明最后会使用cmp比较,很明显当都没有定义时会比较id值,也就是内存地址,后创建的对象内存地址大,就是这个道理。
至于A() < 1,因为python的小整数对象在初始化时创建的,内存地址肯定小,如果你还不信,
不过千万别搞没有意思的操作,
这也是这位兄弟不解的地方,http://*.com/questions/1062096/python-notimplemented-constant