JSON(JavaScript Object Notation) è un popolare formato di dati utilizzato per lo scambio di dati tra applicazioni. Python supporta la manipolazione JSON attraverso il json
modulo, consentendo di convertire tra Python dati e formato JSON.
Ecco i passaggi per lavorare con JSON in Python:
Converti i Python dati in JSON
Usa json.dumps()
: Converti un Python oggetto(lista, dizionario, tupla, ecc.) in una stringa JSON.
Usa json.dump()
: Scrivi Python i dati in un file JSON.
Converti JSON in Python dati
Usa json.loads()
: Converti una stringa JSON in un Python oggetto(lista, dizionario, tupla, ecc.).
Uso json.load()
: legge i dati da un file JSON e li converte in Python dati.
Esempio:
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'}
Si noti che quando si utilizza JSON, Python i tipi di dati speciali come None
, True
, False
verranno convertiti nelle corrispondenti rappresentazioni JSON: null
, true
, false
, rispettivamente.