httpie-cli/httpie/client.py

238 lines
7.1 KiB
Python
Raw Normal View History

import argparse
import http.client
import json
import sys
import zlib
from contextlib import contextmanager
from pathlib import Path
import requests
from requests.adapters import HTTPAdapter
from httpie import __version__, sessions
2019-08-31 15:17:10 +02:00
from httpie.cli.constants import SSL_VERSION_ARG_MAPPING
from httpie.cli.dicts import RequestHeadersDict
from httpie.plugins import plugin_manager
2019-08-31 18:00:03 +02:00
from httpie.utils import repr_dict
try:
2017-12-28 18:32:12 +01:00
# noinspection PyPackageRequirements
import urllib3
2019-09-01 11:38:14 +02:00
# <https://urllib3.readthedocs.io/en/latest/security.html>
urllib3.disable_warnings()
2017-12-28 18:32:12 +01:00
except (ImportError, AttributeError):
pass
FORM_CONTENT_TYPE = 'application/x-www-form-urlencoded; charset=utf-8'
JSON_CONTENT_TYPE = 'application/json'
2019-08-31 15:17:10 +02:00
JSON_ACCEPT = f'{JSON_CONTENT_TYPE}, */*'
DEFAULT_UA = f'HTTPie/{__version__}'
# noinspection PyProtectedMember
@contextmanager
def max_headers(limit):
# <https://github.com/jakubroztocil/httpie/issues/802>
orig = http.client._MAXHEADERS
http.client._MAXHEADERS = limit or float('Inf')
try:
yield
finally:
http.client._MAXHEADERS = orig
class HTTPieHTTPAdapter(HTTPAdapter):
2019-09-01 11:38:14 +02:00
def __init__(
self,
ssl_version=None,
compression_enabled=False,
compress_always=False,
**kwargs,
):
self._ssl_version = ssl_version
2019-09-01 11:38:14 +02:00
self._compression_enabled = compression_enabled
self._compress_always = compress_always
super().__init__(**kwargs)
def init_poolmanager(self, *args, **kwargs):
kwargs['ssl_version'] = self._ssl_version
super().init_poolmanager(*args, **kwargs)
def send(self, request: requests.PreparedRequest, **kwargs):
2019-09-01 11:38:14 +02:00
if request.body and self._compression_enabled:
self._compress_body(request, always=self._compress_always)
return super().send(request, **kwargs)
@staticmethod
2019-09-01 11:38:14 +02:00
def _compress_body(request: requests.PreparedRequest, always: bool):
deflater = zlib.compressobj()
2019-09-01 11:38:14 +02:00
body_bytes = (
request.body
if isinstance(request.body, bytes)
else request.body.encode()
)
deflated_data = deflater.compress(body_bytes)
deflated_data += deflater.flush()
2019-09-01 11:38:14 +02:00
is_economical = len(deflated_data) < len(body_bytes)
if is_economical or always:
request.body = deflated_data
request.headers['Content-Encoding'] = 'deflate'
request.headers['Content-Length'] = str(len(deflated_data))
2019-09-01 11:38:14 +02:00
def build_requests_session(
ssl_version: str,
compress_arg: int,
) -> requests.Session:
requests_session = requests.Session()
2019-09-01 11:38:14 +02:00
# Install our adapter.
adapter = HTTPieHTTPAdapter(
ssl_version=ssl_version,
compression_enabled=compress_arg > 0,
compress_always=compress_arg > 1,
)
requests_session.mount('http://', adapter)
requests_session.mount('https://', adapter)
# Install adapters from plugins.
for plugin_cls in plugin_manager.get_transport_plugins():
transport_plugin = plugin_cls()
requests_session.mount(
prefix=transport_plugin.prefix,
adapter=transport_plugin.get_adapter(),
)
return requests_session
def get_response(
args: argparse.Namespace,
config_dir: Path
) -> requests.Response:
"""Send the request and return a `request.Response`."""
ssl_version = None
if args.ssl_version:
ssl_version = SSL_VERSION_ARG_MAPPING[args.ssl_version]
2019-09-01 11:38:14 +02:00
requests_session = build_requests_session(
ssl_version=ssl_version,
compress_arg=args.compress
)
2016-02-29 07:21:25 +01:00
requests_session.max_redirects = args.max_redirects
with max_headers(args.max_headers):
if not args.session and not args.session_read_only:
2019-09-02 14:38:23 +02:00
requests_kwargs = make_requests_kwargs(args)
if args.debug:
2019-09-02 14:38:23 +02:00
dump_request(requests_kwargs)
response = requests_session.request(**requests_kwargs)
else:
response = sessions.get_response(
requests_session=requests_session,
args=args,
config_dir=config_dir,
session_name=args.session or args.session_read_only,
read_only=bool(args.session_read_only),
)
return response
def dump_request(kwargs: dict):
2019-08-31 18:00:03 +02:00
sys.stderr.write(
f'\n>>> requests.request(**{repr_dict(kwargs)})\n\n')
def finalize_headers(headers: RequestHeadersDict) -> RequestHeadersDict:
final_headers = RequestHeadersDict()
2016-08-13 22:40:01 +02:00
for name, value in headers.items():
if value is not None:
# >leading or trailing LWS MAY be removed without
# >changing the semantics of the field value"
# -https://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html
# Also, requests raises `InvalidHeader` for leading spaces.
value = value.strip()
if isinstance(value, str):
2017-03-10 11:27:38 +01:00
# See: https://github.com/jakubroztocil/httpie/issues/212
2016-08-13 22:40:01 +02:00
value = value.encode('utf8')
final_headers[name] = value
return final_headers
2019-09-01 11:38:14 +02:00
def make_default_headers(args: argparse.Namespace) -> RequestHeadersDict:
default_headers = RequestHeadersDict({
'User-Agent': DEFAULT_UA
})
auto_json = args.data and not args.form
if args.json or auto_json:
default_headers['Accept'] = JSON_ACCEPT
if args.json or (auto_json and args.data):
default_headers['Content-Type'] = JSON_CONTENT_TYPE
elif args.form and not args.files:
2012-09-07 12:48:59 +02:00
# If sending files, `requests` will set
# the `Content-Type` for us.
default_headers['Content-Type'] = FORM_CONTENT_TYPE
return default_headers
2019-09-01 21:15:39 +02:00
def make_requests_kwargs(
args: argparse.Namespace,
base_headers: RequestHeadersDict = None
) -> dict:
"""
Translate our `args` into `requests.request` keyword arguments.
"""
# Serialize JSON data, if needed.
data = args.data
auto_json = data and not args.form
if (args.json or auto_json) and isinstance(data, dict):
if data:
data = json.dumps(data)
else:
# We need to set data to an empty string to prevent requests
# from assigning an empty list to `response.request.data`.
data = ''
# Finalize headers.
2019-09-01 11:38:14 +02:00
headers = make_default_headers(args)
if base_headers:
headers.update(base_headers)
headers.update(args.headers)
2016-08-13 22:40:01 +02:00
headers = finalize_headers(headers)
cert = None
if args.cert:
cert = args.cert
2015-01-23 23:54:27 +01:00
if args.cert_key:
cert = cert, args.cert_key
kwargs = {
'stream': True,
'method': args.method.lower(),
'url': args.url,
'headers': headers,
'data': data,
'verify': {
'yes': True,
'true': True,
'no': False,
'false': False,
}.get(args.verify.lower(), args.verify),
'cert': cert,
2019-08-29 10:04:49 +02:00
'timeout': args.timeout or None,
'auth': args.auth,
2017-12-28 18:15:17 +01:00
'proxies': {p.key: p.value for p in args.proxy},
'files': args.files,
2012-09-07 11:58:39 +02:00
'allow_redirects': args.follow,
'params': args.params,
}
return kwargs