복붙노트

[PYTHON] 파이썬 : 폴더에서 몇 개의 json 파일 읽기

PYTHON

파이썬 : 폴더에서 몇 개의 json 파일 읽기

단일 폴더에서 몇 개의 json 파일을 읽는 방법을 알고 싶습니다 (파일 이름을 지정하지 않고 단지 json 파일 임).

또한 팬더 DataFrame으로 변환 할 수 있습니까?

기본 예제를 줄 수 있습니까?

해결법

  1. ==============================

    1.한 가지 옵션은 os.listdir을 사용하여 디렉토리의 모든 파일을 나열한 다음 '.json'으로 끝나는 파일 만 찾는 것입니다.

    한 가지 옵션은 os.listdir을 사용하여 디렉토리의 모든 파일을 나열한 다음 '.json'으로 끝나는 파일 만 찾는 것입니다.

    import os, json
    import pandas as pd
    
    path_to_json = 'somedir/'
    json_files = [pos_json for pos_json in os.listdir(path_to_json) if pos_json.endswith('.json')]
    print(json_files)  # for me this prints ['foo.json']
    

    이제 pandas DataFrame.from_dict를 사용하여 json (이 시점에서 파이썬 사전)을 pandas 데이터 프레임으로 읽을 수 있습니다.

    montreal_json = pd.DataFrame.from_dict(many_jsons[0])
    print montreal_json['features'][0]['geometry']
    

    인쇄물:

    {u'type': u'Point', u'coordinates': [-73.6051013, 45.5115944]}
    

    이 경우 나는 many_jsons리스트에 몇 개의 jsons를 추가했다. 내 목록에있는 첫 번째 json은 실제로 몬트리올에 대한 일부 지리 정보가 포함 된 geojson입니다. 나는 이미 내용에 익숙해있어서 몬트리올의 경도 / 위도를 제공하는 '기하학'을 인쇄합니다.

    다음 코드는 위의 모든 것을 요약합니다.

    import os, json
    import pandas as pd
    
    # this finds our json files
    path_to_json = 'json/'
    json_files = [pos_json for pos_json in os.listdir(path_to_json) if pos_json.endswith('.json')]
    
    # here I define my pandas Dataframe with the columns I want to get from the json
    jsons_data = pd.DataFrame(columns=['country', 'city', 'long/lat'])
    
    # we need both the json and an index number so use enumerate()
    for index, js in enumerate(json_files):
        with open(os.path.join(path_to_json, js)) as json_file:
            json_text = json.load(json_file)
    
            # here you need to know the layout of your json and each json has to have
            # the same structure (obviously not the structure I have here)
            country = json_text['features'][0]['properties']['country']
            city = json_text['features'][0]['properties']['name']
            lonlat = json_text['features'][0]['geometry']['coordinates']
            # here I push a list of data into a pandas DataFrame at row given by 'index'
            jsons_data.loc[index] = [country, city, lonlat]
    
    # now that we have the pertinent json data in our DataFrame let's look at it
    print(jsons_data)
    

    나를 위해이 인쇄물 :

      country           city                   long/lat
    0  Canada  Montreal city  [-73.6051013, 45.5115944]
    1  Canada        Toronto  [-79.3849008, 43.6529206]
    

    이 코드에서 디렉토리 이름 'json'에 두 개의 geojsons가 있다는 것을 아는 것이 도움이 될 수 있습니다. 각 json은 다음 구조를가집니다.

    {"features":
    [{"properties":
    {"osm_key":"boundary","extent":
    [-73.9729016,45.7047897,-73.4734865,45.4100756],
    "name":"Montreal city","state":"Quebec","osm_id":1634158,
    "osm_type":"R","osm_value":"administrative","country":"Canada"},
    "type":"Feature","geometry":
    {"type":"Point","coordinates":
    [-73.6051013,45.5115944]}}],
    "type":"FeatureCollection"}
    
  2. ==============================

    2.glob 모듈로 (평평한) 디렉토리를 반복하는 것은 쉽다.

    glob 모듈로 (평평한) 디렉토리를 반복하는 것은 쉽다.

    from glob import glob
    
    for f_name in glob('foo/*.json'):
        ...
    

    JSON을 팬더에 직접 읽는 방법은 여기를 참조하십시오.

  3. ==============================

    3.json 파일을 읽으려면,

    json 파일을 읽으려면,

    import os
    import glob
    
    contents = []
    json_dir_name = "/path/to/json/dir"
    
    json_pattern = os.path.join(json_dir_name,'*.json'
    file_list = glob.glob(json_pattern)
    for file in file_list:
      contents.append(read(file))
    
  4. from https://stackoverflow.com/questions/30539679/python-read-several-json-files-from-a-folder by cc-by-sa and MIT license