JSON(JavaScript Object Notation) er et populært dataformat som brukes for datautveksling mellom applikasjoner. Python støtter JSON-manipulasjon gjennom json
modulen, slik at du kan konvertere mellom Python data og JSON-format.
Her er trinnene for å jobbe med JSON i Python:
Konverter Python data til JSON
Bruk json.dumps()
: Konverter et Python objekt(liste, ordbok, tuppel, etc.) til en JSON-streng.
Bruk json.dump()
: Skriv Python data til en JSON-fil.
Konverter JSON til Python data
Bruk json.loads()
: Konverter en JSON-streng til et Python objekt(liste, ordbok, tuppel, etc.).
Bruk json.load()
: Les data fra en JSON-fil og konverter dem til Python data.
Eksempel:
import json
# Convert Python data to JSON
data_dict = {"name": "John", "age": 30, "city": "New York"}
json_string = json.dumps(data_dict)
print(json_string) # Output: {"name": "John", "age": 30, "city": "New York"}
# Write Python data to a JSON file
with open("data.json", "w") as f:
json.dump(data_dict, f)
# Convert JSON to Python data
json_data = '{"name": "John", "age": 30, "city": "New York"}'
python_dict = json.loads(json_data)
print(python_dict) # Output: {'name': 'John', 'age': 30, 'city': 'New York'}
# Read data from a JSON file and convert to Python data
with open("data.json", "r") as f:
data_dict = json.load(f)
print(data_dict) # Output: {'name': 'John', 'age': 30, 'city': 'New York'}
Merk at når du bruker JSON, vil spesielle Python datatyper som None
, True
, False
bli konvertert til deres tilsvarende JSON-representasjoner: null
, true
, false
, henholdsvis.