Convert Json to CSV using Python

后端 未结 2 499
难免孤独
难免孤独 2020-12-20 05:27

Below, is the json structure I am pulling from my online weather station. I am also including a json_to_csv python script that is supposed to convert json data to csv outpu

相关标签:
2条回答
  • 2020-12-20 05:47
    import pandas as pd
    df = pd.read_json("pywu.cache.json")
    df = df.loc[["local_time_rfc822", "weather", "temperature_string"],"current_observation"].T
    df.to_csv("pywu.cache.csv")
    

    maybe pandas can be of help for you. the .read_json() function creates a nice dataframe, from which you can easily choose the desired rows and columns. and it can save as csv as well.

    to add latitude and longitude to the csv-line, you can do this:

    df = pd.read_json("pywu.cache.csv")
    df = df.loc[["local_time_rfc822", "weather", "temperature_string", "display_location"],"current_observation"].T
    df = df.append(pd.Series([df["display_location"]["latitude"], df["display_location"]["longitude"]], index=["latitude", "longitude"]))
    df = df.drop("display_location")
    df.to_csv("pywu.cache.csv")
    

    to print the location in numeric values, you can do this:

    df = pd.to_numeric(df, errors="ignore")
    print(df['latitude'], df['longitude'])
    
    0 讨论(0)
  • 2020-12-20 06:01

    This will find all keys (e.g. "temperature_string") specified inside of the json blob and then write them to a csv file. You can modify this code to get multiple keys.

    import csv, json, sys
    
    def find_deep_value(d, key):
    # Find a the value of keys hidden within a dict[dict[...]]
    # Modified from https://stackoverflow.com/questions/9807634/find-all-occurrences-of-a-key-in-nested-python-dictionaries-and-lists
    # @param d dictionary to search through
    # @param key to find
    
        if key in d:
            yield d[key]
        for k in d.keys():
            if isinstance(d[k], dict):
                for j in find_deep_value(d[k], key):
                    yield j
    
    inputFile = open("pywu.cache.json", 'r')  # open json file
    outputFile = open("mypws.csv", 'w')  # load csv file
    data = json.load(inputFile)  # load json content
    inputFile.close()  # close the input file
    output = csv.writer(outputFile)  # create a csv.write
    
    # Gives you a list of temperature_strings from within the json
    temps = list(find_deep_value(data, "temperature_string"))
    output.writerow(temps)
    outputFile.close()
    
    0 讨论(0)
提交回复
热议问题