0

我知道标题是一个很大的问题,我为此道歉。我的困境是gspread使用 Session 而Python 的 Google APIs 客户端库使用 HTTPLib2。我有一个与 Google API 客户端一起使用的服务帐户,并且想要获取经过身份验证的httplib2.Http()实例并将其包装,以便 gspread 可以像 Session 对象一样使用它。

更新:通过更新 103修复了gspread。根据 Jay Lee 下面的精彩回答,以下是如何在 Python 2.7 中使用服务帐户初始化 gspread Client(您将需要 replace/path/to/service-account.p12和 set sa_id):

import gspread
from oauth2client.client import SignedJwtAssertionCredentials
from apiclient.discovery import build
# ...
with open('/path/to/service-account.p12') as f: sa_key = f.read()
credentials = SignedJwtAssertionCredentials(
    sa_id, sa_key, 'https://spreadsheets.google.com/feeds')
http = httplib2.Http()
http = credentials.authorize(http)
build('drive', 'v2', http = http)
access_token = http.request.credentials.access_token
gspread_auth_headers = {'Authorization' : 'Bearer %s' % access_token}
gspread_session = gspread.httpsession.HTTPSession(headers=gspread_auth_headers)
fakeauth = ('notmyusername@gmail.com', 'notmypassword')
client = gspread.Client(fakeauth, http_session=gspread_session)
# https://github.com/burnash/gspread/issues/103
if False == hasattr(client, "session"):
    client = gspread.Client(fakeauth)
    client.session = gspread_session

现在您可以client照常使用了。哇!

4

1 回答 1

1

快速查看 gspread 表明它正在使用已弃用的旧 ClientLogin 身份验证协议。但是您应该能够从 httplib2.Http() 实例中获取访问令牌并将相同的标头应用于 gspread 会话(有效地让 gspread 也使用 OAuth 2.0):

http = <<<Your existing, authenticated httplib2.Http() object)>>>
access_token = http.request.credentials.access_token
gspread_auth_headers = {'Authorization': 'Bearer %s' % access_token}
gspread_session = gspread.httpsession.HTTPSession(headers=gspread_auth_headers)
my_gspread = gspread.Client(auth=('notmyusername@gmail.com', 'notmypassword'), http_session=gspread_session)

notmyusername@gmail.com并且notmypassword在这里是随机字符串,它们只是需要,因为 gspread.Client 期望 auth 是一个传递给它的元组,除非你调用 my_gspread.login() (你不会),否则它们不会传递给 Google。

您需要注意并捕获过期的 access_tokens。如果 gspread 抛出有关无效令牌的错误,您应该捕获它,调用 http.request.credentials.refresh() 以获取新的访问令牌,然后使用新令牌重新创建 gspread 会话。

于 2014-01-29T19:00:12.883 回答