3

我在 Python/GTK 应用程序中使用 PRAW for Reddit API。我已经成功使用 API,但我似乎无法解码 JSON 以供使用。应该知道,我是 Python 和 GTK 应用程序的初学者。

# -*- Mode: Python; coding: utf-8; indent-tabs-mode: nil; tab-width: 4 -*-
### BEGIN LICENSE
# This file is in the public domain
### END LICENSE

import gettext
from gettext import gettext as _
gettext.textdomain('redditreader')

from gi.repository import Gtk # pylint: disable=E0611
import logging
logger = logging.getLogger('redditreader')

from redditreader_lib import Window
from redditreader.AboutRedditreaderDialog import AboutRedditreaderDialog
from redditreader.PreferencesRedditreaderDialog import PreferencesRedditreaderDialog

import praw

import json
import simplejson
from pprint import pprint

# See redditreader_lib.Window.py for more details about how this class works
class RedditreaderWindow(Window):
    __gtype_name__ = "RedditreaderWindow"

    def finish_initializing(self, builder): # pylint: disable=E1002
        """Set up the main window"""
        super(RedditreaderWindow, self).finish_initializing(builder)

        self.AboutDialog = AboutRedditreaderDialog
        self.PreferencesDialog = PreferencesRedditreaderDialog

        # Code for other initialization actions should be added here.
r = praw.Reddit(user_agent='example')
try:
    submissions = r.get_front_page(limit=5)
    [str(x) for x in submissions]
    jsondatafirst = simplejson.loads(str(submissions))
    jsondata = unicode(jsondatafirst, 'utf-8')
    print(jsondata)
except (simplejson.decoder.JSONDecodeError, ValueError):
    print 'Decoding JSON has failed'
4

2 回答 2

3

使用 PRAW,您无需进行任何 json 解码,因为 PRAW 会为您处理所有这些。

例如,对于每个提交,您要打印出赞成票数、反对票数和提交标题。你可以这样做:

for submission in r.get_front_page(limit=5):
    print submission.ups, submission.downs, submission.title

如果您想查看可用于提交对象的所有属性,您可以运行:

import pprint
for submission in r.get_front_page(limit=5):
    pprint.pprint(vars(submission))

此外,如果您想从提交中获取评论,那么您可以使用该submission.comments属性。您还可以手动查看请求的 json 响应,以查看通过 PRAW 获得哪些属性(示例)。

属性没有明确列出对象的任何地方,因为属性是直接从请求的关联 json 响应中的任何键名创建的。

于 2012-10-05T02:18:52.427 回答
2

JSON 只是一个字典字典,如果需要,可以使用列表进行扩展。

熟悉您目前正在处理的任何 JSON 的一个好方法是加载它,并通过以更直接的方式访问字典元素来玩弄它。

>>> import urllib2
>>> import json
>>> response = urllib2.urlopen('http://reddit.com/user/droogans.json').read()
>>> js = json.loads(response)
>>> comment = js['data']['children'][0]['data']
>>> #this is my most recent comment, along with a lot of other interesting stuff
>>> print comment['ups']
9001

所以,探索数据,你会更好地理解它。

于 2012-10-04T02:45:38.653 回答