httpie-cli/httpie/core.py

181 lines
5.4 KiB
Python
Raw Normal View History

2012-07-26 06:37:03 +02:00
"""This module provides the main functionality of HTTPie.
Invocation flow:
1. Read, validate and process the input (args, `stdin`).
2. Create a request and send it, get the response.
3. Process and format the requested parts of the request-response exchange.
4. Write to `stdout` and exit.
"""
import os
import sys
import json
2012-07-26 00:26:23 +02:00
import requests
2012-07-26 00:26:23 +02:00
import requests.auth
from requests.compat import str
2012-07-26 00:26:23 +02:00
from .models import HTTPMessage, Environment
from .output import OutputProcessor
2012-07-26 06:37:03 +02:00
from .input import (PRETTIFY_STDOUT_TTY_ONLY,
OUT_REQ_BODY, OUT_REQ_HEAD,
OUT_RESP_HEAD, OUT_RESP_BODY)
from .cli import parser
FORM = 'application/x-www-form-urlencoded; charset=utf-8'
JSON = 'application/json; charset=utf-8'
HTTP = 'http://'
HTTPS = 'https://'
2012-07-26 00:26:23 +02:00
def get_response(args, env):
2012-07-26 06:37:03 +02:00
"""Send the request and return a `request.Response`."""
auto_json = args.data and not args.form
if args.json or auto_json:
if 'Content-Type' not in args.headers:
args.headers['Content-Type'] = JSON
if 'Accept' not in args.headers:
# Default Accept to JSON as well.
args.headers['Accept'] = 'application/json'
if isinstance(args.data, dict):
# If not empty, serialize the data `dict` parsed from arguments.
# Otherwise set it to `None` avoid sending "{}".
args.data = json.dumps(args.data) if args.data else None
elif args.form:
if not args.files and 'Content-Type' not in args.headers:
# If sending files, `requests` will set
# the `Content-Type` for us.
args.headers['Content-Type'] = FORM
try:
credentials = None
if args.auth:
credentials = {
'basic': requests.auth.HTTPBasicAuth,
'digest': requests.auth.HTTPDigestAuth,
}[args.auth_type](args.auth.key, args.auth.value)
if not (args.url.startswith(HTTP) or args.url.startswith(HTTPS)):
scheme = HTTPS if env.progname == 'https' else HTTP
url = scheme + args.url
else:
url = args.url
return requests.request(
method=args.method.lower(),
url=url,
headers=args.headers,
data=args.data,
verify={'yes': True, 'no': False}.get(args.verify, args.verify),
timeout=args.timeout,
auth=credentials,
proxies=dict((p.key, p.value) for p in args.proxy),
files=args.files,
allow_redirects=args.allow_redirects,
params=args.params,
)
except (KeyboardInterrupt, SystemExit):
2012-07-26 00:26:23 +02:00
env.stderr.write('\n')
sys.exit(1)
except Exception as e:
if args.traceback:
raise
2012-07-26 00:26:23 +02:00
env.stderr.write(str(e.message) + '\n')
sys.exit(1)
2012-07-26 06:37:03 +02:00
def get_output(args, env, request, response):
"""Format parts of the `request`-`response` exchange
according to `args` and `env` and return a `unicode`.
2012-07-26 06:37:03 +02:00
"""
do_prettify = (args.prettify is True
or (args.prettify == PRETTIFY_STDOUT_TTY_ONLY
and env.stdout_isatty))
2012-07-26 06:37:03 +02:00
do_output_request = (OUT_REQ_HEAD in args.output_options
or OUT_REQ_BODY in args.output_options)
2012-07-26 06:37:03 +02:00
do_output_response = (OUT_RESP_HEAD in args.output_options
or OUT_RESP_BODY in args.output_options)
prettifier = None
if do_prettify:
prettifier = OutputProcessor(
env, pygments_style=args.style)
2012-07-21 15:08:28 +02:00
buf = []
if do_output_request:
2012-07-26 06:37:03 +02:00
req_msg = HTTPMessage.from_request(request)
req = req_msg.format(
prettifier=prettifier,
2012-07-26 06:37:03 +02:00
with_headers=OUT_REQ_HEAD in args.output_options,
with_body=OUT_REQ_BODY in args.output_options
)
2012-07-21 15:08:28 +02:00
buf.append(req)
buf.append('\n')
if do_output_response:
2012-07-21 15:08:28 +02:00
buf.append('\n')
if do_output_response:
2012-07-26 06:37:03 +02:00
resp_msg = HTTPMessage.from_response(response)
resp = resp_msg.format(
prettifier=prettifier,
2012-07-26 06:37:03 +02:00
with_headers=OUT_RESP_HEAD in args.output_options,
with_body=OUT_RESP_BODY in args.output_options
)
2012-07-21 15:08:28 +02:00
buf.append(resp)
buf.append('\n')
2012-07-21 15:08:28 +02:00
return ''.join(buf)
def get_exist_status(code, allow_redirects=False):
2012-07-26 06:37:03 +02:00
"""Translate HTTP status code to exit status."""
if 300 <= code <= 399 and not allow_redirects:
# Redirect
return 3
elif 400 <= code <= 499:
# Client Error
return 4
elif 500 <= code <= 599:
# Server Error
return 5
else:
return 0
def main(args=sys.argv[1:], env=Environment()):
2012-07-26 06:37:03 +02:00
"""Run the main program and write the output to ``env.stdout``.
Return exit status.
"""
2012-07-26 06:37:03 +02:00
args = parser.parse_args(args=args, env=env)
2012-07-26 00:26:23 +02:00
response = get_response(args, env)
status = 0
if args.check_status:
status = get_exist_status(response.status_code,
args.allow_redirects)
if status and not env.stdout_isatty:
err = 'http error: %s %s\n' % (
response.raw.status, response.raw.reason)
env.stderr.write(err.encode('utf8'))
2012-07-26 06:37:03 +02:00
output = get_output(args, env, response.request, response)
output_bytes = output.encode('utf8')
f = getattr(env.stdout, 'buffer', env.stdout)
f.write(output_bytes)
return status