0

我正在尝试登录 Reddit 并获取我自己的帐户数据。

这是我的 Python 代码:

from pprint import pprint
import requests
import json
username = 'dirk_b'
password = 'willnottell'
user_pass_dict = {'user': username,
      'passwd': password,
      'api_type': 'json',
      'rem': True, }
headers = {'dirkie': '/u/dirk_b API python test', }
client = requests.session()
client.headers = headers
r = client.post(r'http://www.reddit.com/api/login', data=user_pass_dict)
j = json.loads(r.content.decode());
client.modhash = j['json']['data']['modhash']
s = client.post(r'http://www.reddit.com/api/me.json', data=user_pass_dict)
pprint(s.content)

我得到的响应是: b'{"error": 404}'

如果我在没有 .json 部分的情况下执行相同的请求。我得到一堆 HTML 代码,内容为“reddit.com:找不到页面”。所以我假设我对 URL 做错了什么。但是我使用的 URL 是在 Reddit API 中指定的。

我不使用 PRAW 的原因是因为我最终希望能够在 C++ 中做到这一点,但我想确保它首先在 Python 中工作。

4

1 回答 1

2

/api/me.json路由只接受 GET 请求:

s = client.get('http://www.reddit.com/api/me.json')

该端点没有 POST 路由,因此您将获得 404。

另外,如果需要传递modhash给服务器,在POST请求中传递的数据中进行;然后设置client.modhash不会将该参数传递给服务器您从GET 响应中检索modhash :me.json

r = client.get('http://www.reddit.com/api/me.json')
modhash = r.json()['modhash']

注意来自的响应requests有一个.json()方法,不需要自己使用json模块。

然后使用modhashin POST 请求数据:

client.post('http://www.reddit.com/api/updateapp', {'modhash': modhash, 'about_url': '...', ...})
于 2013-06-22T19:09:19.093 回答