如何在Auth对象的__call__方法中对request.Request的主体进行签名?

时间:2018-10-08 15:05:53

标签: python python-requests kraken.com

我正在尝试为kraken写一个不错的身份验证帮助程序。我希望它尽可能自动,所以需要:

  1. 在POST正文中添加一个随机数(time.time()*1000
  2. 计算POST正文上的签名
  3. 将签名放入标题中

我根据this答案写了显而易见的代码:

class KrakenAuth(AuthBase):                                                                                                                                         
    """a requests-module-compatible auth module for kraken.com"""                                                                                                                  
    def __init__(self, key, secret):                                                                                                                                
        self.api_key    = key                                                                                                                                       
        self.secret_key = secret                                                                                                                                    

    def __call__(self, request):                                                                                                                                    
        #print("Auth got a %r" % type(request))                                                                                                                      
        nonce = int(1000*time.time())                                                                                                                               
        request.data = getattr(request, 'data', {})                                                                                                                 
        request.data['nonce'] = nonce                                                                                                                               
        request.prepare()                                                                                                                                           

        message = request.path_url + hashlib.sha256(str(nonce) + request.body).digest()                                                                             
        hmac_key = base64.b64decode(self.secret_key)                                                                                                                
        signature = hmac.new(hmac_key, message, hashlib.sha512).digest()                                                                                            
        signature = base64.b64encode(signature)                                                                                                                     

        request.headers.update({                                                                                                                                    
            'API-Key': self.api_key,                                                                                                                                
            'API-Sign': signature                                                                                                                                   
        })                                                                                                                                                          
        return request                                         

他们(从另一个对象的包装器方法)调用它们,就像:

def _request(self, method, url, **kwargs):
    if not self._auth:
        self._auth = KrakenAuth(key, secret)
    if 'auth' not in kwargs:
        kwargs['auth'] = self._auth
    return self._session.request(method, URL + url, **kwargs)                                                                                             

...但是它不起作用。已注释掉的print()语句表明它得到的是PreparedRequest对象而不是Request对象,因此对request.prepare()的调用就是对PreparedRequest.prepare的调用nothing useful,因为没有request.data,因为它已经被转换为body属性。

1 个答案:

答案 0 :(得分:1)

您无法访问请求的data属性,因为身份验证对象已应用到requests.PreparedRequest() instance,而没有.data属性

Session.request() call(由所有request.<method>session.<method>调用使用)的正常流程如下:

不幸的是,在此流程中,dataPreparedRequest.prepare()以外的任何人都无法使用原始PreparedRequest.prepare_body()映射,在这些方法中,映射是局部变量。您不能从身份验证对象访问它。

您的选择如下:

  • 再次解码正文,并使用更新的映射调用prepare_body()

  • 不使用身份验证对象,而是使用答案中的其他路径;明确创建准备好的请求并首先处理data

  • 使用Python堆栈玩地狱,并从两帧以上的prepare()方法中提取本地语言。我真的不推荐这条路。

为了使认证方法更好地封装,我将进行解码/重新编码;通过重用PreparedRequest.prepare_body(),后者很简单:

import base64
import hashlib
import hmac
import time
try:
    # Python 3
    from urllib.parse import parse_qs
except ImportError:
    # Python 2
    from urlparse import parse_qs

from requests import AuthBase

URL_ENCODED = 'application/x-www-form-urlencoded'


class KrakenAuth(AuthBase):
    """a requests-module-compatible auth module for kraken.com"""
    def __init__(self, key, secret):
        self.api_key    = key
        self.secret_key = secret

    def __call__(self, request):
        ctheader = request.headers.get('Content-Type')
        assert (
            request.method == 'POST' and (
                ctheader == URL_ENCODED or
                requests.headers.get('Content-Length') == '0'
            )
        ), "Must be a POST request using form data, or empty"

        # insert the nonce in the encoded body
        data = parse_qs(request.body)
        data['nonce'] = nonce
        request.prepare_body(data, None, None)

        body = request.body
        if not isinstance(body, bytes):   # Python 3
            body = body.encode('latin1')  # standard encoding for HTTP

        message = request.path_url + hashlib.sha256(b'%s%s' % (nonce, body)).digest()
        hmac_key = base64.b64decode(self.secret_key)
        signature = hmac.new(hmac_key, message, hashlib.sha512).digest()
        signature = base64.b64encode(signature)

        request.headers.update({
            'API-Key': self.api_key,
            'API-Sign': signature
        })
        return request