Python中的字典对象可以以“键:值”的方式存取数据。OrderedDict是它的一个子类,实现了对字典对象中元素的排序。
注意,OrderedDict的 Key 会按照插入的顺序排列,不是Key本身排序:
比如下面比较了两种方式的不同:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
import collections
print 'Regular dictionary:'
d = {}
d[ 'a' ] = 'A'
d[ 'b' ] = 'B'
d[ 'c' ] = 'C'
for k,v in d.items():
print k,v
print '\nOrderedDict:'
d = collections.OrderedDict()
d[ 'a' ] = 'A'
d[ 'b' ] = 'B'
d[ 'c' ] = 'C'
for k,v in d.items():
print k,v
|
输出结果如下:
Regular dictionary:
a A
c C
b B
OrderedDict:
a A
b B
c C
可以看到,同样是保存了ABC三个元素,但是使用OrderedDict会根据放入元素的先后顺序进行排序。
由于进行了排序,所以OrderedDict对象的字典对象,如果其顺序不同那么Python也会把他们当做是两个不同的对象,比如下面的代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
import collections
print 'Regular dictionary:'
d1 = {}
d1[ 'a' ] = 'A'
d1[ 'b' ] = 'B'
d1[ 'c' ] = 'C'
d2 = {}
d2[ 'c' ] = 'C'
d2[ 'a' ] = 'A'
d2[ 'b' ] = 'B'
print d1 = = d2
print '\nOrderedDict:'
d1 = collections.OrderedDict()
d1[ 'a' ] = 'A'
d1[ 'b' ] = 'B'
d1[ 'c' ] = 'C'
d2 = collections.OrderedDict()
d2[ 'c' ] = 'C'
d2[ 'a' ] = 'A'
d2[ 'b' ] = 'B'
print d1 = = d2
|
其输出结果为:
Regular dictionary:
True
OrderedDict:
False
补充:Python collections.OrderedDict解决dict元素顺序问题
编程中遇到个问题,python json.loads时元素顺序可能会发生变化。
这个对于一些需要使用元素顺序来做一些策略的代码来说是致命的。
在网上查了查,结合自己的知识总结一下。
使用dict时,Key是无序的。在对dict做迭代时,我们无法确定Key的顺序。
如果要保持Key的顺序,可以用OrderedDict。
OrderedDict的Key会按照插入的顺序排列,不是Key本身排序。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
#coding=utf-8
import json
import collections
my_dict = {}
my_list = [ "测试" , "1324" , "r4ge5" ]
for i in my_list:
my_dict[i] = my_list[my_list.index(i)]
print "str1原串:"
str1 = json.dumps(my_dict, ensure_ascii = False )
print str1
print "对str1字符串进行loads后的结果:"
data_js = json.loads(str1)
print json.dumps(data_js, ensure_ascii = False ).encode( "utf8" )
print "对str1字符串进行loads后的结果(使用OrderedDict):"
data_js = json.loads(str1, object_pairs_hook = collections.OrderedDict)
print json.dumps(data_js, ensure_ascii = False ).encode( "utf8" )
|
执行结果:
str1原串:
{"测试": "测试", "r4ge5": "r4ge5", "1324": "1324"}
对str1字符串进行loads后的结果:
{"r4ge5": "r4ge5", "1324": "1324", "测试": "测试"}
对str1字符串进行loads后的结果(使用OrderedDict):
{"测试": "测试", "r4ge5": "r4ge5", "1324": "1324"}
以上为个人经验,希望能给大家一个参考,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/weixin_41888257/article/details/111315866