Python對列表中字典元素排序

問題起源

json對象a,bcss

a = '{"ROAD": [{"id": 123}, {"name": "no1"}]}'
b = '{"ROAD": [{"name": "no1"}, {"id": 123}]}'

特色:a,b對應的Python的對象中對應的鍵值——列表中包含着相同的字典元素,可是惟一不一樣的是順序不一樣。若是忽略順序,如何判斷兩個json是否相等。由於字典自己是本身按鍵排序的,列表是按加入的順序排序的,若是對列表中的字典元素進行排序就能夠輕鬆地排序了。若是列表中是普通的元素(不是字典),經過list(set())組合能夠讀列表進行排序,而列表中若是是字典元素不能使用list(set())組合,看提示:python

>>> a = [{'a':1, 'b':2}, {'c':3}]
>>> a
[{'a': 1, 'b': 2}, {'c': 3}]
>>> b = set(a)

Traceback (most recent call last):
  File "<pyshell#2>", line 1, in <module>
    b = set(a)
TypeError: unhashable type: 'dict'

提示爲字典是不可進行哈希操做的類型(普通非字典的元素進行哈希操做便可輕鬆排好序)。shell

那麼問題的本質即:如何對列表中的字典元素排序。json

對列表中的字典元素排序

還好,列表有sorted函數,試一下函數

>>> p = [{'b': 2}, {'a': 1, 'c': 3}]
>>> q = [{'a': 1, 'c': 3}, {'b': 2}]
>>> p
[{'b': 2}, {'a': 1, 'c': 3}]
>>> q
[{'a': 1, 'c': 3}, {'b': 2}]
>>> pp = sorted(p)
>>> qq = sorted(q)
>>> pp
[{'b': 2}, {'a': 1, 'c': 3}]
>>> qq
[{'b': 2}, {'a': 1, 'c': 3}]
>>> pp == qq
True
>>> p == q
False

能夠看出,ok的,而且能夠看出排序的原則是元素個數。spa

對json進行比較(忽略列表中字典的順序)

import json
def compare_json(a, b):
    aa = json.loads(a)
    bb = json.loads(b)

    len_a = len(aa)
    len_b = len(bb)
    if len_a != len_b:
        return False
    else:
        for key in aa:
            if not bb.has_key(key):
                return False
            else:
                if sorted(aa[key]) != sorted(bb[key]):
                    return False
    return True
                    

if __name__ == "__main__":
    a = '{"ROAD": [{"id": 123}, {"name": "no1"}]}'
    b = '{"ROAD": [{"name": "no1"}, {"id": 123}]}'
    print compare_json(a, b)

細節:本身寫json格式時,a = "{'road':1}"  json.loads(a) 錯誤,得寫成a = '{"road:1}'  【單引號在外】code

相關文章
相關標籤/搜索