[python] JSON 객체를 통해 반복

데이터, 즉 제목 및 링크를 가져 오기 위해 JSON 개체를 반복하려고합니다. 지난 콘텐츠에 도달 할 수없는 것 같습니다 :.

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
    }
]

사전을 사용해 보았습니다.

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

이 코드는 이전의 정보 만 인쇄합니다 :. ( Justin Bieber 트랙 무시 :))



답변

JSON 데이터로드는 약간 취약합니다. 대신에:

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

당신은 정말로해야합니다 :

json_object = json.load(raw)

당신이 얻는 것을 “JSON 객체”로 생각해서는 안됩니다. 당신이 가진 것은 목록입니다. 목록에는 두 개의 사전이 있습니다. 사전에는 다양한 키 / 값 쌍, 모든 문자열이 포함됩니다. 할 때 json_object[0]목록의 첫 번째 사전을 요청합니다. 이를 반복 할 때를 사용 for song in json_object[0]:하여 dict의 키를 반복합니다. 그것은 당신이 dict를 반복 할 때 얻는 것이기 때문입니다. 해당 딕셔너리의 키와 연결된 값에 액세스하려면 예를 들어 json_object[0][song].

이것은 JSON에만 국한되지 않습니다. 모든 자습서에서 다루는 기본 작업이 포함 된 기본 Python 유형입니다.


답변

나는 당신이 아마도 다음을 의미했다고 믿습니다.

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

주의 : 파이썬 2 song.iteritems에서는 song.itemsif 대신 사용할 수 있습니다 .


답변

이 질문은 오랫동안 여기에 있었지만 일반적으로 JSON 객체를 반복하는 방법에 기여하고 싶었습니다. 아래 예에서는 JSON이 포함 된 하드 코딩 된 문자열을 보여 주었지만 JSON 문자열은 웹 서비스 나 파일에서 쉽게 가져올 수 있습니다.

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()


답변

JSON을 역 직렬화하면 python 객체가 생성됩니다. 일반 개체 메서드를 사용하십시오.

이 경우 사전으로 구성된 목록이 있습니다.

json_object[0].items()

json_object[0]["title"]

기타


답변

나는이 문제를 이렇게 더 풀 것이다

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


답변

JSON을 반복하려면 다음을 사용할 수 있습니다.

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'])


답변

Python 3의 경우 웹 서버에서 가져온 데이터를 디코딩해야합니다. 예를 들어 데이터를 utf8로 디코딩 한 다음 처리합니다.

 # 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

디코딩하지 않으면 Python 3에서 바이트 대 문자열 오류가 발생합니다.