Iterando por meio de um objeto JSON

109

Estou tentando iterar por meio de um objeto JSON para importar dados, ou seja, título e link. Não consigo chegar ao conteúdo que passou do :.

JSON:

[
    {
        "title": "Baby (Feat. Ludacris) - Justin Bieber",
        "description": "Baby (Feat. Ludacris) by Justin Bieber on Grooveshark",
        "link": "http://listen.grooveshark.com/s/Baby+Feat+Ludacris+/2Bqvdq",
        "pubDate": "Wed, 28 Apr 2010 02:37:53 -0400",
        "pubTime": 1272436673,
        "TinyLink": "http://tinysong.com/d3wI",
        "SongID": "24447862",
        "SongName": "Baby (Feat. Ludacris)",
        "ArtistID": "1118876",
        "ArtistName": "Justin Bieber",
        "AlbumID": "4104002",
        "AlbumName": "My World (Part II);\nhttp://tinysong.com/gQsw",
        "LongLink": "11578982",
        "GroovesharkLink": "11578982",
        "Link": "http://tinysong.com/d3wI"
    },
    {
        "title": "Feel Good Inc - Gorillaz",
        "description": "Feel Good Inc by Gorillaz on Grooveshark",
        "link": "http://listen.grooveshark.com/s/Feel+Good+Inc/1UksmI",
        "pubDate": "Wed, 28 Apr 2010 02:25:30 -0400",
        "pubTime": 1272435930
    }
]

Tentei usar um dicionário:

def getLastSong(user,limit):
    base_url = 'http://gsuser.com/lastSong/'
    user_url = base_url + str(user) + '/' + str(limit) + "/"
    raw = urllib.urlopen(user_url)
    json_raw= raw.readlines()
    json_object = json.loads(json_raw[0])

    #filtering and making it look good.
    gsongs = []
    print json_object
    for song in json_object[0]:   
        print song

Este código apenas imprime as informações antes :. ( ignore a faixa de Justin Bieber :))

myusuf3
fonte

Respostas:

79

O carregamento dos dados JSON é um pouco frágil. Ao invés de:

json_raw= raw.readlines()
json_object = json.loads(json_raw[0])

você realmente deveria apenas fazer:

json_object = json.load(raw)

Você não deve pensar no que obtém como um "objeto JSON". O que você tem é uma lista. A lista contém dois dictos. Os dicts contêm vários pares de chave / valor, todos strings. Ao fazer isso json_object[0], você está pedindo o primeiro dict da lista. Quando você itera sobre isso, com for song in json_object[0]:, você itera sobre as chaves do dict. Porque é isso que você obtém quando itera sobre o dicionário. Se você quiser acessar o valor associado à chave naquele dicionário, use, por exemplo json_object[0][song],.

Nada disso é específico para JSON. São apenas tipos básicos de Python, com suas operações básicas conforme abordadas em qualquer tutorial.

Thomas Wouters
fonte
eu não entendo. tentei repetir o que você está dizendo fora dos limites. tenho certeza que é uma pergunta sobre json
myusuf3
7
Não. Estou lhe dizendo que iterar sobre o dict fornece as chaves. Se você quiser iterar sobre outra coisa, terá que iterar sobre outra coisa. Você não disse o que queria repetir. Um tutorial Python seria um bom lugar para descobrir o que você pode iterar e o que faria.
Thomas Wouters
5
Infelizmente, é um pouco difícil explicar todas as maneiras de extrair dados de listas, dicionários e strings nos 600 caracteres que você pode colocar em um comentário. Eu já disse que você deve indexar o dict para obter o valor associado a uma chave. Não tenho certeza sobre o que você deseja iterar. Aprender sobre os tipos Python integrados é a próxima etapa.
Thomas Wouters
Não há muita iteração envolvida quando você deseja obter itens individuais. Talvez o que você queira iterar seja json_object, não json_object[0], e depois obter itens individuais de cada dicionário.
Thomas Wouters
101

Eu acredito que você provavelmente quis dizer:

from __future__ import print_function

for song in json_object:
    # now song is a dictionary
    for attribute, value in song.items():
        print(attribute, value) # example usage

NB: você pode usar em song.iteritemsvez de song.itemsif no Python 2.

tzot
fonte
para atributo, valor em song.iteritems (): o que significa a vírgula nesta linha?
zakdances
É o mesmo que for (attribute, value) in song.iteritems():ou (var1, var2) = (1, 2)ou var1, var2 = 1, 2. dict.iteritems()produz (key, value)pares (tuplas). Procure por “desempacotamento da tupla do python”.
tzot
1
Para python 3, mude song.iteritemspara song.items.
Big Pumpkin
44

Esta questão já está aqui há muito tempo, mas eu queria contribuir com como geralmente faço a iteração por meio de um objeto JSON. No exemplo abaixo, mostrei uma string codificada que contém o JSON, mas a string JSON poderia facilmente ter vindo de um serviço da web ou arquivo.

import json

def main():

    # create a simple JSON array
    jsonString = '{"key1":"value1","key2":"value2","key3":"value3"}'

    # change the JSON string into a JSON object
    jsonObject = json.loads(jsonString)

    # print the keys and values
    for key in jsonObject:
        value = jsonObject[key]
        print("The key and value are ({}) = ({})".format(key, value))

    pass

if __name__ == '__main__':
    main()
Dale Moore
fonte
2
Não há nenhum subscrito de string no código acima; jsonObjecté um dict. No código acima, eu preferiria for key, value in jsonObject.items():.
tzot
22

Depois de desserializar o JSON, você tem um objeto Python. Use os métodos de objeto regulares.

Neste caso, você tem uma lista feita de dicionários:

json_object[0].items()

json_object[0]["title"]

etc.

jcea
fonte
8

Eu resolveria esse problema mais assim

import json
import urllib2

def last_song(user, limit):
    # Assembling strings with "foo" + str(bar) + "baz" + ... generally isn't 
    # as nice as using real string formatting. It can seem simpler at first, 
    # but leaves you less happy in the long run.
    url = 'http://gsuser.com/lastSong/%s/%d/' % (user, limit)

    # urllib.urlopen is deprecated in favour of urllib2.urlopen
    site = urllib2.urlopen(url)

    # The json module has a function load for loading from file-like objects, 
    # like the one you get from `urllib2.urlopen`. You don't need to turn 
    # your data into a string and use loads and you definitely don't need to 
    # use readlines or readline (there is seldom if ever reason to use a 
    # file-like object's readline(s) methods.)
    songs = json.load(site)

    # I don't know why "lastSong" stuff returns something like this, but 
    # your json thing was a JSON array of two JSON objects. This will 
    # deserialise as a list of two dicts, with each item representing 
    # each of those two songs.
    #
    # Since each of the songs is represented by a dict, it will iterate 
    # over its keys (like any other Python dict). 
    baby, feel_good = songs

    # Rather than printing in a function, it's usually better to 
    # return the string then let the caller do whatever with it. 
    # You said you wanted to make the output pretty but you didn't 
    # mention *how*, so here's an example of a prettyish representation
    # from the song information given.
    return "%(SongName)s by %(ArtistName)s - listen at %(link)s" % baby
Mike Graham
fonte
3

para iterar por meio de JSON, você pode usar isto:

json_object = json.loads(json_file)
for element in json_object: 
    for value in json_object['Name_OF_YOUR_KEY/ELEMENT']:
        print(json_object['Name_OF_YOUR_KEY/ELEMENT']['INDEX_OF_VALUE']['VALUE'])
Keivan
fonte
2

Para Python 3, você precisa decodificar os dados que recebe do servidor da web. Por exemplo, eu decodifico os dados como utf8 e lido com eles:

 # example of json data object group with two values of key id
jsonstufftest = '{'group':{'id':'2','id':'3'}}
 # always set your headers
headers = {'User-Agent': 'Moz & Woz'}
 # the url you are trying to load and get json from
url = 'http://www.cooljson.com/cooljson.json'
 # in python 3 you can build the request using request.Request
req = urllib.request.Request(url,None,headers)
 # try to connect or fail gracefully
try:
    response = urllib.request.urlopen(req) # new python 3 code -jc
except:
    exit('could not load page, check connection')
 # read the response and DECODE
html=response.read().decode('utf8') # new python3 code
 # now convert the decoded string into real JSON
loadedjson = json.loads(html)
 # print to make sure it worked
print (loadedjson) # works like a charm
 # iterate through each key value
for testdata in loadedjson['group']:
    print (accesscount['id']) # should print 2 then 3 if using test json

Se você não decodificar, obterá erros de bytes vs string no Python 3.

Jamescampbell
fonte