0

我正在尝试编写一个快速脚本,该脚本可以使用来自 CloudFlare 的新 1.1.1.1 DNS over HTTPS 公共 DNS 服务器进行 dns 查找。

在这里查看他们的文档https://developers.cloudflare.com/1.1.1.1/dns-over-https/json-format/我不确定自己做错了什么以及为什么会收到 415 状态码(415 不支持的内容类型)。

这是我的脚本:#!/usr/bin/env python import requests import json from pprint import pprint

url = 'https://cloudflare-dns.com/dns-query'
client = requests.session() 

json1 = {'name': 'example.com','type': 'A'}

ae = client.get(url, headers = {'Content-Type':'application/dns-json'}, json = json1)


print ae.raise_for_status()
print ae.status_code

print ae.json()

client.close()

这是输出:

    raise HTTPError(http_error_msg, response=self)
requests.exceptions.HTTPError: 415 Client Error: Unsupported Media Type for url: https://cloudflare-dns.com/dns-query

对于json响应(我相信):

raise ValueError("No JSON object could be decoded")
ValueError: No JSON object could be decoded

使用 curl 这非常好。

非常感谢

4

1 回答 1

4

您根本不应该设置 JSON 请求。响应使用JSON。

application/dns-json值放入ct参数中:

使用 GET 请求发送 JSON 格式的查询。使用 GET 发出请求时,DNS 查询被编码到 URL 中。'ct' 的附加 URL 参数应指示 MIME 类型 (application/dns-json)。

GET 请求永远不会有正文,所以不要尝试发送 JSON:

params = {
    'name': 'example.com',
    'type': 'A',
    'ct': 'application/dns-json',
}
ae = client.get(url, params=params)

演示:

>>> import requests
>>> url = 'https://cloudflare-dns.com/dns-query'
>>> client = requests.session()
>>> params = {
...     'name': 'example.com',
...     'type': 'A',
...     'ct': 'application/dns-json',
... }
>>> ae = client.get(url, params=params)
>>> ae.status_code
200
>>> from pprint import pprint
>>> pprint(ae.json())
{'AD': True,
 'Answer': [{'TTL': 2560,
             'data': '93.184.216.34',
             'name': 'example.com.',
             'type': 1}],
 'CD': False,
 'Question': [{'name': 'example.com.', 'type': 1}],
 'RA': True,
 'RD': True,
 'Status': 0,
 'TC': False}
于 2018-04-03T16:59:29.907 回答