답변:
str(dict)
이며 eval
그것을 원하지 않습니다 . 간단한 .replace("'", '"')
것이 트릭을해야합니다.
json.dumps(..)
과 같이 두 번 호출 할 수 있습니다 import json; d = dict(tags=["dog", "cat", "mouse"]); print json.dumps(json.dumps(d))
."{\"tags\": [\"dog\", \"cat\", \"mouse\"]}"
당신이 사용할 수있는 ast.literal_eval()
>>> import ast
>>> s = "{'username':'dfdsfdsf'}"
>>> ast.literal_eval(s)
{'username': 'dfdsfdsf'}
{ 'a' : 'this "string" really isn\'t!!!!' }
"{'link':'<a href="mylink">http://my.com</a>'}"
있습니까? 이 경우, ast.literal_eval
구문 오류가 발생합니다
다음과 같이 큰 따옴표로 JSON을 덤프 할 수 있습니다.
import json
# mixing single and double quotes
data = {'jsonKey': 'jsonValue',"title": "hello world"}
# get string with all double quotes
json_string = json.dumps(data)
demjson 은 또한 잘못된 json 구문 문제를 해결하는 데 좋은 패키지입니다.
pip install demjson
용법:
from demjson import decode
bad_json = "{'username':'dfdsfdsf'}"
python_dict = decode(bad_json)
편집하다:
demjson.decode
손상된 json에 대한 훌륭한 도구이지만 json 데이터의 큰 양을 처리 할 때ast.literal_eval
더 나은 일치이며 훨씬 빠릅니다.
demjson.decode
손상된 json을위한 훌륭한 도구이지만, 수만 또는 수십만 개의 json 패킷과 관련된 작업의 ast.literal_eval
경우 훨씬 빠릅니다. 말할 demjson
필요가 없습니다. 더 빠른 방법이 실패 할 경우 대비책으로 사용합니다.
예를 들어 하나가 그러한 비표준 JSON을 스트리밍하는 경우 지금까지 답변에 대한 두 가지 문제가 있습니다. 그러면 들어오는 문자열 (파이썬 사전이 아님)을 해석해야 할 수 있기 때문입니다.
문제 1- demjson
: Python 3.7. + 및 conda를 사용하면 현재 Python 3.5 이상을 지원하지 않기 때문에 demjson을 설치할 수 없었습니다. 따라서 예를 들어 ast
및 / 또는 json.dumps
.
문제 2- ast
& json.dumps
: JSON이 모두 작은 따옴표이고 하나 이상의 값에 문자열이 포함되어 있고 작은 따옴표가 포함 된 경우, 내가 찾은 유일한 간단하면서도 실용적인 솔루션은 둘 다 적용하는 것입니다.
다음 예에서는 line
들어오는 JSON 문자열 객체 라고 가정 합니다.
>>> line = str({'abc':'008565','name':'xyz','description':'can control TV\'s and more'})
1 단계 : ast.literal_eval()
2 단계를 사용하여 들어오는 문자열을 사전으로 json.dumps
변환 합니다 . 값의 내용을 건드리지 않고 키와 값의 안정적인 변환을 위해 적용 합니다 .
>>> import ast
>>> import json
>>> print(json.dumps(ast.literal_eval(line)))
{"abc": "008565", "name": "xyz", "description": "can control TV's and more"}
json.dumps
혼자서는 JSON을 해석하지 않고 문자열 만보기 때문에 작업을 수행하지 않습니다. 유사 ast.literal_eval()
: JSON (사전)을 올바르게 해석하지만 필요한 것을 변환하지 않습니다.
다음과 같이 수정할 수 있습니다.
s = "{'username':'dfdsfdsf'}"
j = eval(s)
말했듯이 JSON은 Python 구문이 아닙니다. JSON에서 큰 따옴표를 사용해야합니다. 제작자는 프로그래머의인지 과부하를 완화하기 위해 허용 가능한 구문의 엄격한 하위 집합을 사용하는 것으로 유명합니다.
@Jiaaro가 지적한 것처럼 JSON 문자열 자체에 작은 따옴표가 포함되어 있으면 아래가 실패 할 수 있습니다. 사용하지 마세요. 작동하지 않는 예를 여기에 남겨 두었습니다.
JSON 문자열에 작은 따옴표가 없다는 것을 아는 것은 정말 유용 합니다. 예를 들어 브라우저 콘솔에서 복사하여 붙여 넣었습니다. 그런 다음 입력 할 수 있습니다.
a = json.loads('very_long_json_string_pasted_here')
작은 따옴표도 사용하면 깨질 수 있습니다.
{"key": "value 'with' single quotes"}
eval 함수를 사용하여 내 문제를 진정으로 해결했습니다.
single_quoted_dict_in_string = "{'key':'value', 'key2': 'value2'}"
desired_double_quoted_dict = eval(single_quoted_dict_in_string)
# Go ahead, now you can convert it into json easily
print(desired_double_quoted_dict)
나는 최근에 매우 유사한 문제에 대해 생각해 냈고 내 솔루션이 당신에게도 효과가 있다고 믿습니다. 다음과 같은 형식의 항목 목록이 포함 된 텍스트 파일이 있습니다.
["first item", 'the "Second" item', "thi'rd", 'some \\"hellish\\" \'quoted" item']
위의 내용을 파이썬 목록으로 구문 분석하고 싶었지만 입력을 신뢰할 수 없기 때문에 eval ()에 열중하지 않았습니다. 먼저 JSON을 사용해 보았지만 큰 따옴표 항목 만 허용하므로이 특정 경우에 대해 매우 간단한 어휘 분석기를 작성했습니다 (자신의 "stringtoparse"를 연결하면 출력 목록 : 'items').
#This lexer takes a JSON-like 'array' string and converts single-quoted array items into escaped double-quoted items,
#then puts the 'array' into a python list
#Issues such as ["item 1", '","item 2 including those double quotes":"', "item 3"] are resolved with this lexer
items = [] #List of lexed items
item = "" #Current item container
dq = True #Double-quotes active (False->single quotes active)
bs = 0 #backslash counter
in_item = False #True if currently lexing an item within the quotes (False if outside the quotes; ie comma and whitespace)
for c in stringtoparse[1:-1]: #Assuming encasement by brackets
if c=="\\": #if there are backslashes, count them! Odd numbers escape the quotes...
bs = bs + 1
continue
if (dq and c=='"') or (not dq and c=="'"): #quote matched at start/end of an item
if bs & 1==1: #if escaped quote, ignore as it must be part of the item
continue
else: #not escaped quote - toggle in_item
in_item = not in_item
if item!="": #if item not empty, we must be at the end
items += [item] #so add it to the list of items
item = "" #and reset for the next item
continue
if not in_item: #toggle of single/double quotes to enclose items
if dq and c=="'":
dq = False
in_item = True
elif not dq and c=='"':
dq = True
in_item = True
continue
if in_item: #character is part of an item, append it to the item
if not dq and c=='"': #if we are using single quotes
item += bs * "\\" + "\"" #escape double quotes for JSON
else:
item += bs * "\\" + c
bs = 0
continue
누군가에게 유용하기를 바랍니다. 즐겨!
import ast
answer = subprocess.check_output(PYTHON_ + command, shell=True).strip()
print(ast.literal_eval(answer.decode(UTF_)))
나를 위해 작동