web-dev-qa-db-fra.com

Convertir une chaîne en JSON en utilisant Python

Je suis un peu confus avec JSON en Python. Pour moi, cela ressemble à un dictionnaire, et pour cette raison, j'essaie de le faire:

{
    "glossary":
    {
        "title": "example glossary",
        "GlossDiv":
        {
            "title": "S",
            "GlossList":
            {
                "GlossEntry":
                {
                    "ID": "SGML",
                    "SortAs": "SGML",
                    "GlossTerm": "Standard Generalized Markup Language",
                    "Acronym": "SGML",
                    "Abbrev": "ISO 8879:1986",
                    "GlossDef":
                    {
                        "para": "A meta-markup language, used to create markup languages such as DocBook.",
                        "GlossSeeAlso": ["GML", "XML"]
                    },
                    "GlossSee": "markup"
                }
            }
        }
    }
}

Mais quand je fais print dict(json), cela donne une erreur.

Comment puis-je transformer cette chaîne en une structure et ensuite appeler json["title"] pour obtenir un "exemple de glossaire"?

352
Frias

json.loads()

import json

d = json.loads(j)
print d['glossary']['title']
657

Quand j'ai commencé à utiliser Json, j'étais confus et incapable de le comprendre pendant un certain temps, mais j'ai finalement obtenu ce que je voulais.
Voici la solution simple

import json
m = {'id': 2, 'name': 'hussain'}
n = json.dumps(m)
o = json.loads(n)
print o['id'], o['name']    
88
Hussain

utilisez simplejson ou cjson pour des accélérations

import simplejson as json

json.loads(obj)

or 

cjson.decode(obj)
19
locojay

Si vous faites confiance à la source de données, vous pouvez utiliser eval pour convertir votre chaîne en dictionnaire:

eval(your_json_format_string)

Exemple:

>>> x = "{'a' : 1, 'b' : True, 'c' : 'C'}"
>>> y = eval(x)

>>> print x
{'a' : 1, 'b' : True, 'c' : 'C'}
>>> print y
{'a': 1, 'c': 'C', 'b': True}

>>> print type(x), type(y)
<type 'str'> <type 'dict'>

>>> print y['a'], type(y['a'])
1 <type 'int'>

>>> print y['a'], type(y['b'])
1 <type 'bool'>

>>> print y['a'], type(y['c'])
1 <type 'str'>
14
kakhkAtion