1. 程式人生 > 其它 >Python 如何將字串轉為字典

Python 如何將字串轉為字典

Python 如何將字串轉為字典

在工作中遇到一個小問題,需要將一個 python 的字串轉為字典,比如字串:

user_info = '{"name" : "json" , "gender": "male", "age": 28}'

我們想把它轉為下面的字典:

user_info = {"name" : "json" , "gender": "male", "age": 28}

有以下幾種方法:

  1. 通過 json 來轉換
>>> import json
>>> user_info = '{"name" : "json" , "gender": "male", "age": 28}'
>>> user_dict = json.loads(user_info)
>>> user_dict
{'name': 'json', 'gender': 'male', 'age': 28}

但是使用 json 進行轉換存在一個潛在的問題。

由於 json 語法規定 陣列或物件之中的字串必須使用雙引號,不能使用單引號 (官網上有一段描述是 “A string is a sequence of zero or more Unicode characters, wrapped in double quotes, using backslash escapes” ),因此下面的轉換是錯誤的:

>>> user_info = "{'name' : 'json' , 'gender': 'male', 'age': 28}"
>>> user_dict = json.loads(user_info)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "/home/chengjialin/miniconda3/envs/tf1.14/lib/python3.7/json/__init__.py", line 348, in loads
    return _default_decoder.decode(s)
  File "/home/chengjialin/miniconda3/envs/tf1.14/lib/python3.7/json/decoder.py", line 337, in decode
    obj, end = self.raw_decode(s, idx=_w(s, 0).end())
  File "/home/chengjialin/miniconda3/envs/tf1.14/lib/python3.7/json/decoder.py", line 353, in raw_decode
    obj, end = self.scan_once(s, idx)
json.decoder.JSONDecodeError: Expecting property name enclosed in double quotes: line 1 column 2 (char 1)
  1. 通過 literal_eval
>>> import ast
>>> user_info = '{"name" : "json" , "gender": "male", "age": 28}'
>>> user_dict = ast.literal_eval(user_info)
>>> user_dict
{'name': 'json', 'gender': 'male', 'age': 28}
>>> user_info = "{'name' : 'json' , 'gender': 'male', 'age': 28}"
>>> user_dict = ast.literal_eval(user_info)
>>> user_dict
{'name': 'json', 'gender': 'male', 'age': 28}

使用 ast.literal_eval 進行轉換既不存在使用 json 進行轉換的問題,也不存在使用 eval 進行轉換的 安全性問題,因此推薦使用 ast.literal_eval。