Python 3 带有 cURL 错误 404 的许可证检查程序

Python 3 license checker with cURL error 404

有一个小的 python 应用程序向 gumroad 发出 API 验证请求,我正在尝试使用 urllib 来完成它但是它给我一个 404 错误. 有趣的是,与 urllib.

相比,url 在使用请求包(导入请求等)时完美运行

我需要实现的cURL请求如下:

curl https://api.gumroad.com/v2/licenses/verify \
  -d "product_permalink=PRODUCT_PERMALINK" \
  -d "license_key=INSERT_LICENSE_KEY" \
  -X POST

它 returns "success":true 如果密钥有效和其他一些统计数据。

这是我的代码:

import json
import urllib.request

license_key = "yyyyyyyy-yyyyyyyy-yyyyyyyy-yyyyyyyy"
user_email = "xxxxx@xxxxx.com"

def licenseCheck(license_key, user_email, productID="xyzxy"):
    
    url_ = "https://api.gumroad.com/v2/licenses/verify"
    pf_permalink = productID
    params = json.dumps({'product_permalink=': pf_permalink, 'license_key=': license_key})
    data=params.encode()

    req = urllib.request.Request(url_, headers={'Content-Type':'application/json'})
    response = urllib.request.urlopen(req, data, timeout=10)
    get_response = json.loads(response.read())

    if get_response['success'] and get_response['email'].lower() == user_email.lower():
        status = True
    else:
        get_response = "Failed to verify the license."

    return status, get_response , license_key

print(licenseCheck(license_key, user_email))

程序给出404错误的那一行是这样的:

response = urllib.request.urlopen(req, data, timeout = 10)

发生这种情况是因为在您的 curl 示例中,您将数据作为两个 POST 参数传递,而在 python 脚本中,您将它们作为 JSON 正文传递。另外,您需要考虑错误处理。

import json
from urllib import request, parse, error

license_key = "yyyyyyyy-yyyyyyyy-yyyyyyyy-yyyyyyyy"
user_email = "xxxxx@xxxxx.com"

def licenseCheck(license_key, user_email, productID="xyzxy"):
    
    url_ = "https://api.gumroad.com/v2/licenses/verify"
    pf_permalink = productID
    params = {'product_permalink': pf_permalink, 'license_key': license_key}
    data=parse.urlencode(params).encode('ascii')

    req = request.Request(url_, data=data)
    try:
      response = request.urlopen(req)
      get_response = json.loads(response.read())
    except error.HTTPError as e: get_response = json.loads(e.read())
    
    status = False
    if get_response['success'] and get_response['email'].lower() == user_email.lower():
      status = True
    else:
      get_response = "Failed to verify the license."

    return status, get_response , license_key

print(licenseCheck(license_key, user_email))