使用Python在Flask中进行Hmac验证(在PHP和RUBY中进行引用)

Lia*_*iam 5 php python hmac flask python-3.x

大家好,我一直在为Selly.gg商家网站开发一种使用flask用python实现HMAC验证的方法。

因此,sellery的开发人员文档提供了以下示例,以验证HMAC签名(在PHP和ruby中):https : //developer.selly.gg/? php#signing-validating (以下代码:)

PHP:

<?php
        $signature = hash_hmac('sha512', json_encode($_POST), $secret);
        if hash_equals($signature, $signatureFromHeader) {
            // Webhook is valid 
        }
?>
Run Code Online (Sandbox Code Playgroud)

红宝石:

signature = OpenSSL::HMAC.hexdigest(OpenSSL::Digest.new('sha512'), secret, payload.to_json)
is_valid_signature = ActiveSupport::SecurityUtils.secure_compare(request.headers['X-Selly-Signature'], signature)
Run Code Online (Sandbox Code Playgroud)

因此,到目前为止,我能弄清楚的是:它们不使用base64进行编码(如shopify等),它使用SHA-512,将秘密代码与json响应数据一起进行编码,最后请求标头为'X-Selly -签名'

到目前为止,我已经完成了以下代码(基于shopify的HMAC签名https://help.shopify.com/en/api/getting-started/webhooks代码):

SECRET = "secretkeyhere"
def verify_webhook(data, hmac_header):
    digest = hmac.new(bytes(SECRET, 'ascii'), bytes(json.dumps(data), 'utf8'), hashlib.sha512).hexdigest()
    return hmac.compare_digest(digest, hmac_header)
try:
    responsebody = request.json #line:22
    status = responsebody['status']#line:25
except Exception as e:
    print(e)
    return not_found()
print("X Selly sign: " + request.headers.get('X-Selly-Signature'))
verified = verify_webhook(responsebody, request.headers.get('X-Selly-Signature'))
print(verified)
Run Code Online (Sandbox Code Playgroud)

但是Selly有一个Webhook模拟器,即使具有正确的密钥和有效的请求,verify_webhook也将始终返回False。我曾尝试联系Selly支持人员,但他们对我无能为力

您可以在以下地址测试webhook模拟器:https : //selly.io/dashboard/ {您的帐户} / developer / webhook / simulate

Ala*_*ack 3

除了您不需要json.dumps请求数据之外,您几乎是对的。这可能会导致输出发生更改,例如格式更改,这些更改与原始数据不匹配,这意味着 HMAC 将失败。

例如

{"id":"fd87d909-fbfc-466c-964a-5478d5bc066a"}
Run Code Online (Sandbox Code Playgroud)

不同于:

{
  "id":"fd87d909-fbfc-466c-964a-5478d5bc066a"
}
Run Code Online (Sandbox Code Playgroud)

这实际上是:

{x0ax20x20"id":"fd87d909-fbfc-466c-964a-5478d5bc066a"x0a}
Run Code Online (Sandbox Code Playgroud)

两个输入的哈希值将完全不同。

查看如何json.loads以及json.dumps将修改格式以及哈希值:

http_data = b'''{
    "id":"fd87d909-fbfc-466c-964a-5478d5bc066a"
}
'''
print(http_data)
h = hashlib.sha512(http_data).hexdigest()
print(h)
py_dict = json.loads(http_data) # deserialise to Python dict
py_str = json.dumps(py_dict) # serialise to a Python str
py_bytes = json.dumps(py_dict).encode('utf-8') # encode to UTF-8 bytes
print(py_str)
h2 = hashlib.sha512(py_bytes).hexdigest()
print(h2)
Run Code Online (Sandbox Code Playgroud)

输出:

b'{\n    "id":"fd87d909-fbfc-466c-964a-5478d5bc066a"\n}\n'
364325098....
{"id": "fd87d909-fbfc-466c-964a-5478d5bc066a"}
9664f687a....
Run Code Online (Sandbox Code Playgroud)

Selly 的 PHP 示例显示了类似的内容,这并没有帮助。事实上,Selly PHP 示例毫无用处,因为无论如何数据都不会进行表单编码,因此数据不会出现在$_POST!

这是我的小 Flask 示例:

import hmac
import hashlib
from flask import Flask, request, Response

app = Flask(__name__)

php_hash = "01e5335ed340ef3f211903f6c8b0e4ae34c585664da51066137a2a8aa02c2b90ca13da28622aa3948b9734eff65b13a099dd69f49203bc2d7ae60ebee9f5d858"
secret = "1234ABC".encode("ascii") # returns a byte object

@app.route("/", methods=['POST', 'GET'])
def selly():
    request_data = request.data # returns a byte object
    hm = hmac.new(secret, request_data, hashlib.sha512)
    sig = hm.hexdigest()

    resp = f"""req: {request_data}
    sig: {sig}
    match: {sig==php_hash}"""

    return Response(resp, mimetype='text/plain')

app.run(debug=True)
Run Code Online (Sandbox Code Playgroud)

请注意使用来获取原始字节输入,并在str 上request.data简单使用来获取编码字节(而不是使用详细的实例化)。encodesecretbytes()

这可以通过以下方式进行测试:

curl -X "POST" "http://localhost:5000/" \
 -H 'Content-Type: text/plain; charset=utf-8' \
 -d "{\"id\":\"fd87d909-fbfc-466c-964a-5478d5bc066a\"}"
Run Code Online (Sandbox Code Playgroud)

我还创建了一些 PHP 来验证两种语言是否创建相同的结果:

<?php
    header('Content-Type: text/plain');
    $post = file_get_contents('php://input');
    print $post;
    $signature = hash_hmac('sha512', $post, "1234ABC");
    print $signature;
?>
Run Code Online (Sandbox Code Playgroud)