Python 中的 CURL 替代方案

我在 PHP 中使用了一个 cURL 调用:

curl -i -H 'Accept: application/xml' -u login:key "https://app.streamsend.com/emails"

我需要在 Python 中做同样的事情。在 Python 中有 cURL 的替代品吗?我知道 urllib,但我不知道如何使用它。

238904 次浏览

如果您使用一个命令来像那样调用 curl,那么您可以在 Python 中使用 subprocess来做同样的事情。例如:

subprocess.call(['curl', '-i', '-H', '"Accept: application/xml"', '-u', 'login:key', '"https://app.streamsend.com/emails"'])

或者,如果您希望像 PHP 那样将 PycURL作为一个结构化程度更高的 api,那么您可以尝试 PycURL

import urllib2


manager = urllib2.HTTPPasswordMgrWithDefaultRealm()
manager.add_password(None, 'https://app.streamsend.com/emails', 'login', 'key')
handler = urllib2.HTTPBasicAuthHandler(manager)


director = urllib2.OpenerDirector()
director.add_handler(handler)


req = urllib2.Request('https://app.streamsend.com/emails', headers = {'Accept' : 'application/xml'})


result = director.open(req)
# result.read() will contain the data
# result.info() will contain the HTTP headers


# To get say the content-length header
length = result.info()['Content-Length']

使用 urllib2调用 cURL。完全未经测试。

下面是一个使用 urllib2的简单示例,该示例针对 GitHub 的 API 执行基本身份验证。

import urllib2


u='username'
p='userpass'
url='https://api.github.com/users/username'


# simple wrapper function to encode the username & pass
def encodeUserData(user, password):
return "Basic " + (user + ":" + password).encode("base64").rstrip()


# create the request object and set some headers
req = urllib2.Request(url)
req.add_header('Accept', 'application/json')
req.add_header("Content-type", "application/x-www-form-urlencoded")
req.add_header('Authorization', encodeUserData(u, p))
# make the request and print the results
res = urllib2.urlopen(req)
print res.read()

此外,如果您将其包装在一个脚本中,并从终端运行它,您可以将响应字符串管道到‘ mjson.tool’,以启用漂亮的打印。

>> basicAuth.py | python -mjson.tool

最后要注意的是,urllib2只支持 GET 和 POST 请求。
如果您需要使用其他 HTTP 动词,如 DELETE、 PUT 等,您可能需要查看 < a href = “ HTTP://PYCURL.sourceforge.net/”rel = “ noReferrer”> PYCURL

可以使用 Requests

pip install requests

您可以在 https://requests.readthedocs.io/en/latest/找到它的文档

import requests


url = 'https://example.tld/'
auth = ('username', 'password')


r = requests.get(url, auth=auth)
print(r.content)

这是我能找到的最简单的了。

举个例子,如何使用 urllib,还有一些 Sugar 语法。我了解请求和其他库,但 urllib 是 python 的标准库,不需要单独安装任何东西。

Python 2/3兼容。

import sys
if sys.version_info.major == 3:
from urllib.request import HTTPPasswordMgrWithDefaultRealm, HTTPBasicAuthHandler, Request, build_opener
from urllib.parse import urlencode
else:
from urllib2 import HTTPPasswordMgrWithDefaultRealm, HTTPBasicAuthHandler, Request, build_opener
from urllib import urlencode




def curl(url, params=None, auth=None, req_type="GET", data=None, headers=None):
post_req = ["POST", "PUT"]
get_req = ["GET", "DELETE"]


if params is not None:
url += "?" + urlencode(params)


if req_type not in post_req + get_req:
raise IOError("Wrong request type \"%s\" passed" % req_type)


_headers = {}
handler_chain = []


if auth is not None:
manager = HTTPPasswordMgrWithDefaultRealm()
manager.add_password(None, url, auth["user"], auth["pass"])
handler_chain.append(HTTPBasicAuthHandler(manager))


if req_type in post_req and data is not None:
_headers["Content-Length"] = len(data)


if headers is not None:
_headers.update(headers)


director = build_opener(*handler_chain)


if req_type in post_req:
if sys.version_info.major == 3:
_data = bytes(data, encoding='utf8')
else:
_data = bytes(data)


req = Request(url, headers=_headers, data=_data)
else:
req = Request(url, headers=_headers)


req.get_method = lambda: req_type
result = director.open(req)


return {
"httpcode": result.code,
"headers": result.info(),
"content": result.read()
}




"""
Usage example:
"""


Post data:
curl("http://127.0.0.1/", req_type="POST", data='cascac')


Pass arguments (http://127.0.0.1/?q=show):
curl("http://127.0.0.1/", params={'q': 'show'}, req_type="POST", data='cascac')


HTTP Authorization:
curl("http://127.0.0.1/secure_data.txt", auth={"user": "username", "pass": "password"})

Function is not complete and possibly is not ideal, but shows a basic representation and concept to use. Additional things could be added or changed by taste.

2008年12月更新

这里 是一个 GitHub 链接,用于实时更新源代码。 Currently supporting:

  • authorization

  • CRUD 兼容

  • 自动字符集探测

  • 自动编码(压缩)检测

如果它在您正在寻找的命令行中运行以上所有命令,那么我建议使用 HTTPie 。它是一个非常棒的 cURL 替代品,可以使用(并自定义) 超级简单很方便

以下是来自 GitHub 的 (简洁而精确)描述;

HTTPie (发音为 aych-tee-tee-pie)是一个命令行 HTTP 客户端。 它的目标是将 CLI 与 Web 服务的交互作为 尽可能对人类友好。

It provides a simple http command that allows for sending arbitrary HTTP 请求使用简单自然的语法,并显示 HTTPie 可用于测试、调试和 generally interacting with HTTP servers.


有关 Rel = “ nofollow noReferrer”> 身份验证 的文档应该为您提供足够的指导来解决您的问题。当然,以上所有的答案都是准确的,并且提供了完成同一任务的不同方法。


正因为如此,你不必从堆栈溢出移动,这里有什么它提供了一个简要的说明。

Basic auth:


$ http -a username:password example.org
Digest auth:


$ http --auth-type=digest -a username:password example.org
With password prompt:


$ http -a username example.org