15

在我们的团队中,我们使用 gitlab ( https://git.example ) 和捆绑的最重要聊天 ( https://chat.example )。

最重要的是,我们希望有一个专门的机器人用户(网络挂钩有限制,私人频道等),它实际上就像普通用户一样登录。

我们在 gitlab 中创建了该用户,并且可以通过 chrome 登录到我们的聊天中(聊天登录 redir --> gitlab oauth,输入用户名和密码 --> redir 回到聊天 --> authed)。

现在我搜索了可以实际执行此操作的 python 库,但我只能找到一些需要 aclient_idclient_secret... 根据我的理解(如果我错了,请纠正我)这不是我们正在寻找的,因为我们不想创建另一个应用程序来通过 gitlab 进行身份验证,而是通过 gitlab 以用户身份登录到我们的聊天(已经有一个id(已知)和一个secret(未知))。

由于找不到这样的库,我们还检查了 chrome 中的网络请求,并尝试在 python 中通过 重新创建它requests,但无法使其工作(不用说它涉及解析 html 和 csrf 令牌)。 ..

又一次尝试和大量猜测,我们试图access_token通过手动获取

client_id = 'the one of mattermost in our gitlab'
user = 'username'
pw = 'password'
r = requests.post(
    'https://git.example/oauth/token',
    data={
        "grant_type": "password",
        "username": user,
        "password": pw,
        "client_id": client_id,
    }
)
access_token = r.json()['access_token']

这似乎有效(并且令牌看起来不错),但在最重要的 API 中使用它只会导致 401:

ri = requests.get(
    'https://chat.example/api/v1/users/me',
    headers={'Authorization': 'Bearer ' + access_token}
)

ri.status_code, ri.json()
(401,
 {u'detailed_error': u'token=...xxx...',
  u'id': u'api.context.session_expired.app_error',
  u'is_oauth': False,
  u'message': u'Invalid or expired session, please login again.',
  u'request_id': u'...yyy...',
  u'status_code': 401})

可悲的是, http://docs.mattermost.com/developer/web-service.html#oauth2目前并没有对此有所了解,这就是我在这里问的原因。我是否可能错过了一些明显的“激活”access_token最重要的东西?

4

1 回答 1

10

实际上,我最终通过模仿浏览器的行为来运行它,如下所示,但我仍然对不涉及解析任何 gitlab 服务器的 html 的更通用的解决方案感兴趣......:

import requests
from pyquery import PyQuery as pq

client_id = '...your_mattermost_client_id...'
user = '...username...'
pw = '...userpass...'

gitlab = 'https://git.example'
chat = 'https://chat.example'
team = '/your_team'

r = requests.get(
    chat + team + '/login/gitlab'
)
q = pq(r.content)
csrf_token = q('#new_ldap_user input[name="authenticity_token"]')[0].value  # watch out, several tokens for ldap vs. normal login, inspect the page to find correct one

r2 = requests.post(
    gitlab + '/users/auth/ldapmain/callback',  # or whatever the browser callback for your auth-method was
    cookies=r.cookies,
    data={
        'authenticity_token': csrf_token,
        'username': user,
        'password': pw,
    }
)

# print [h.url for h in r2.history] + [r2.url]  # to check the redirects

me = requests.get(
    chat + '/api/v1/users/me',
    cookies=r2.cookies,
)
print me.json()  # if everything went well you're now authorized

# remember to set cookies in the follow-up requests
于 2016-04-15T16:22:38.730 回答