有序字典-ordereddict简介
示例
有序字典和通常字典类似,只是它可以记录元素插入其中的顺序,而一般字典是会以任意的顺序迭代的。参见下面的例子:
import collections
print ‘regular dictionary:’
d = {}
d[‘a’] = ‘a’
d[‘b’] = ‘b’
d[‘c’] = ‘c’
d[‘d’] = ‘d’
d[‘e’] = ‘e’
for k, v in d.items():
print k, v
print ‘\nordereddict:’
d = collections.ordereddict()
d[‘a’] = ‘a’
d[‘b’] = ‘b’
d[‘c’] = ‘c’
d[‘d’] = ‘d’
d[‘e’] = ‘e’
for k, v in d.items():
print k, v
运行结果如下:
-> python test7.py
regular dictionary:
a a
c c
b b
e e
d d
ordereddict:
a a
b b
c c
d d
e e
可以看到通常字典不是以插入顺序遍历的。
相等性
判断两个有序字段是否相等(==)需要考虑元素插入的顺序是否相等
import collections
print ‘dict :’,
d1 = {}
d1[‘a’] = ‘a’
d1[‘b’] = ‘b’
d1[‘c’] = ‘c’
d1[‘d’] = ‘d’
d1[‘e’] = ‘e’
d2 = {}
d2[‘e’] = ‘e’
d2[‘d’] = ‘d’
d2[‘c’] = ‘c’
d2[‘b’] = ‘b’
d2[‘a’] = ‘a’
print d1 == d2
print ‘ordereddict:’,
d1 = collections.ordereddict()
d1[‘a’] = ‘a’
d1[‘b’] = ‘b’
d1[‘c’] = ‘c’
d1[‘d’] = ‘d’
d1[‘e’] = ‘e’
d2 = collections.ordereddict()
d2[‘e’] = ‘e’
d2[‘d’] = ‘d’
d2[‘c’] = ‘c’
d2[‘b’] = ‘b’
d2[‘a’] = ‘a’
print d1 == d2
运行结果如下:
-> python test7.py
dict : true
ordereddict: false
而当判断一个有序字典和其它普通字典是否相等只需判断内容是否相等。
注意
ordereddict 的构造器或者 update() 方法虽然接受关键字参数,但因为python的函数调用会使用无序的字典来传递参数,所以关键字参数的顺序会丢失,所以创造出来的有序字典不能保证其顺序。