파일에서 JSON을 읽습니까?


320

단순하고 쉬운 문장이 내 얼굴에 약간의 오류를 던지기 때문에 약간의 두통이 생깁니다.

다음과 같이 strings.json이라는 json 파일이 있습니다.

"strings": [{"-name": "city", "#text": "City"}, {"-name": "phone", "#text": "Phone"}, ...,
            {"-name": "address", "#text": "Address"}]

지금은 json 파일을 읽고 싶습니다. 내가 찾은이 진술이 있지만 작동하지 않습니다.

import json
from pprint import pprint

with open('strings.json') as json_data:
    d = json.loads(json_data)
    json_data.close()
    pprint(d)

콘솔에 표시되는 오류는 다음과 같습니다.

Traceback (most recent call last):
  File "/home/.../android/values/manipulate_json.py", line 5, in <module>
    d = json.loads(json_data)
  File "/usr/lib/python2.7/json/__init__.py", line 326, in loads
    return _default_decoder.decode(s)
  File "/usr/lib/python2.7/json/decoder.py", line 366, in decode
    obj, end = self.raw_decode(s, idx=_w(s, 0).end())
TypeError: expected string or buffer
[Finished in 0.1s with exit code 1]

편집

에서 json.loads로 변경json.load

그리고 이것을 얻었다 :

Traceback (most recent call last):
  File "/home/.../android/values/manipulate_json.py", line 5, in <module>
    d = json.load(json_data)
  File "/usr/lib/python2.7/json/__init__.py", line 278, in load
    **kw)
  File "/usr/lib/python2.7/json/__init__.py", line 326, in loads
    return _default_decoder.decode(s)
  File "/usr/lib/python2.7/json/decoder.py", line 369, in decode
    raise ValueError(errmsg("Extra data", s, end, len(s)))
ValueError: Extra data: line 829 column 1 - line 829 column 2 (char 18476 - 18477)
[Finished in 0.1s with exit code 1]

6
파일에 유효한 JSON이 포함되어 있습니까?
폭발 약



파일이 유효하지 않은 json 형식입니다. :로 변경 {"strings": [{"-name": "city", "#text": "City"}, {"-name": "phone", "#text": "Phone"}, ..., {"-name": "address", "#text": "Address"}]}
krizex

답변:


546

json.load()방법 ( "로드"의 "S"가없는)은 파일을 직접 읽을 수 있습니다 :

import json

with open('strings.json') as f:
    d = json.load(f)
    print(d)

문자열 인수에만 사용되는 json.loads()메소드 를 사용하고있었습니다 .

편집 : 새 메시지는 완전히 다른 문제입니다. 이 경우 해당 파일에 잘못된 json이 있습니다. 이를 위해 json validator를 통해 파일을 실행하는 것이 좋습니다 .

예를 들어 잘못된 JSON 문자열을 자동으로 수정하는 방법 과 같이 json을 수정하는 솔루션도 있습니다 . .


2
흠 ... 나는 json.loads에서 json.load로 변경했지만 멋진 메시지를 얻습니다.
RRC

5
아, 새 메시지는 완전히 다른 문제입니다. 이 경우 해당 파일에 잘못된 json이 있습니다. 이를 위해 json validator를 통해 파일을 실행하는 것이 좋습니다 .
ubomb

3
알았다! 파일에 EOF가 없습니다. 파일이 올바르게 종료되지 않았습니다. 나는 그것이 당신의 좋은 추천이 아니라면 눈치 채지 못할 것입니다! 감사!
RRC

1
ubomb, 변경할 수 있으면 허용 된 것으로 표시하도록 대답합니다. 자유 로워! 표시하겠습니다.
RRC

바이트 플래그로 파일을 열어야합니다. 그러면 json.load 메소드를 사용할 수 있습니다. 왜 그렇습니까? 나는 Py3.6을 얻었다
Grzegorz Krug

113

다음은 나를 위해 잘 작동하는 코드 사본입니다.

import json

with open("test.json") as json_file:
    json_data = json.load(json_file)
    print(json_data)

데이터와 함께

{
    "a": [1,3,"asdf",true],
    "b": {
        "Hello": "world"
    }
}

유효하지 않은 JSON은 스택 추적 오류 메시지를 발생시키기 때문에 try catch로 json.load 행을 줄 바꿈 할 수 있습니다.


41

문제는 with 문을 사용 하고 있습니다 .

with open('strings.json') as json_data:
    d = json.load(json_data)
    pprint(d)

파일이 이미 암시 적으로 닫힙니다. json_data.close()다시 전화 할 필요가 없습니다 .


1
json_data.close ()를 제거하십시오. 언급했듯이 암시 적으로 호출됩니다.
보니 바르기 스

1
@Zongjun : json.load (json_data)로로드를 수정하십시오.
Knight71

2
예쁘게 인쇄하려면 다음을 사용해야했습니다.print(json.dumps(d,sort_keys=True,indent=2))
Mike D

25

파이썬 3에서는 아래 방법을 사용할 수 있습니다.

파일에서 읽고 JSON으로 변환

import json
from pprint import pprint

# Considering "json_list.json" is a json file

with open('json_list.json') as fd:
     json_data = json.load(fd)
     pprint(json_data)

with 문은 열린 파일 디스크립터를 자동으로 닫습니다.


문자열을 JSON으로

import json
from pprint import pprint

json_data = json.loads('{"name" : "myName", "age":24}')
pprint(json_data)


1

팬더 라이브러리를 사용하여 JSON 파일을 읽을 수 있습니다.

import pandas as pd
df = pd.read_json('strings.json',lines=True)
print(df)

0

이것은 나를 위해 작동합니다.

json.load () 는 파일 객체를 받아 JSON 데이터를 파싱하고 파이썬 사전을 데이터로 채우고 다시 돌려줍니다.

JSON 파일이 다음과 같다고 가정하십시오.

{
   "emp_details":[
                 {
                "emp_name":"John",
                "emp_emailId":"john@gmail.com"  
                  },
                {
                 "emp_name":"Aditya",
                 "emp_emailId":"adityatest@yahoo.com"
                }
              ] 
}

import json 

# Opening JSON file 
f = open('data.json',) 

# returns JSON object as  
# a dictionary 
data = json.load(f) 

# Iterating through the json 
# list 
for i in data['emp_details']: 
    print(i) 

# Closing file 
f.close()

#Output:
{'emp_name':'John','emp_emailId':'john@gmail.com'}
{'emp_name':'Aditya','emp_emailId':'adityatest@yahoo.com'}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.