2019-08-31 15:17:10 +02:00
|
|
|
import argparse
|
|
|
|
import getpass
|
|
|
|
import os
|
|
|
|
import sys
|
2019-09-17 09:21:49 +02:00
|
|
|
from typing import Union, List, Optional
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
from httpie.cli.constants import SEPARATOR_CREDENTIALS
|
|
|
|
from httpie.sessions import VALID_SESSION_NAME_PATTERN
|
|
|
|
|
|
|
|
|
|
|
|
class KeyValueArg:
|
|
|
|
"""Base key-value pair parsed from CLI."""
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __init__(self, key: str, value: Optional[str], sep: str, orig: str):
|
2019-08-31 15:17:10 +02:00
|
|
|
self.key = key
|
|
|
|
self.value = value
|
|
|
|
self.sep = sep
|
|
|
|
self.orig = orig
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __eq__(self, other: 'KeyValueArg'):
|
2019-08-31 15:17:10 +02:00
|
|
|
return self.__dict__ == other.__dict__
|
|
|
|
|
|
|
|
def __repr__(self):
|
|
|
|
return repr(self.__dict__)
|
|
|
|
|
|
|
|
|
|
|
|
class SessionNameValidator:
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __init__(self, error_message: str):
|
2019-08-31 15:17:10 +02:00
|
|
|
self.error_message = error_message
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __call__(self, value: str) -> str:
|
2019-08-31 15:17:10 +02:00
|
|
|
# Session name can be a path or just a name.
|
|
|
|
if (os.path.sep not in value
|
|
|
|
and not VALID_SESSION_NAME_PATTERN.search(value)):
|
|
|
|
raise argparse.ArgumentError(None, self.error_message)
|
|
|
|
return value
|
|
|
|
|
|
|
|
|
|
|
|
class Escaped(str):
|
|
|
|
"""Represents an escaped character."""
|
|
|
|
|
2019-09-17 09:07:12 +02:00
|
|
|
def __repr__(self):
|
|
|
|
return f"Escaped({repr(str(self))})"
|
|
|
|
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
class KeyValueArgType:
|
|
|
|
"""A key-value pair argument type used with `argparse`.
|
|
|
|
|
2019-09-17 09:07:12 +02:00
|
|
|
Parses a key-value arg and constructs a `KeyValueArg` instance.
|
2019-08-31 15:17:10 +02:00
|
|
|
Used for headers, form data, and other key-value pair types.
|
|
|
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
key_value_class = KeyValueArg
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __init__(self, *separators: str):
|
2019-08-31 15:17:10 +02:00
|
|
|
self.separators = separators
|
|
|
|
self.special_characters = set('\\')
|
|
|
|
for separator in separators:
|
|
|
|
self.special_characters.update(separator)
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __call__(self, s: str) -> KeyValueArg:
|
|
|
|
"""Parse raw string arg and return `self.key_value_class` instance.
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
The best of `self.separators` is determined (first found, longest).
|
|
|
|
Back slash escaped characters aren't considered as separators
|
|
|
|
(or parts thereof). Literal back slash characters have to be escaped
|
|
|
|
as well (r'\\').
|
|
|
|
|
|
|
|
"""
|
2019-09-17 09:21:49 +02:00
|
|
|
tokens = self.tokenize(s)
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
# Sorting by length ensures that the longest one will be
|
|
|
|
# chosen as it will overwrite any shorter ones starting
|
|
|
|
# at the same position in the `found` dictionary.
|
|
|
|
separators = sorted(self.separators, key=len)
|
|
|
|
|
|
|
|
for i, token in enumerate(tokens):
|
|
|
|
|
|
|
|
if isinstance(token, Escaped):
|
|
|
|
continue
|
|
|
|
|
|
|
|
found = {}
|
|
|
|
for sep in separators:
|
|
|
|
pos = token.find(sep)
|
|
|
|
if pos != -1:
|
|
|
|
found[pos] = sep
|
|
|
|
|
|
|
|
if found:
|
|
|
|
# Starting first, longest separator found.
|
|
|
|
sep = found[min(found.keys())]
|
|
|
|
|
|
|
|
key, value = token.split(sep, 1)
|
|
|
|
|
|
|
|
# Any preceding tokens are part of the key.
|
|
|
|
key = ''.join(tokens[:i]) + key
|
|
|
|
|
|
|
|
# Any following tokens are part of the value.
|
|
|
|
value += ''.join(tokens[i + 1:])
|
|
|
|
|
|
|
|
break
|
|
|
|
|
|
|
|
else:
|
2019-09-17 09:21:49 +02:00
|
|
|
raise argparse.ArgumentTypeError(f'{s!r} is not a valid value')
|
2019-08-31 15:17:10 +02:00
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
return self.key_value_class(key=key, value=value, sep=sep, orig=s)
|
2019-08-31 15:17:10 +02:00
|
|
|
|
2019-09-17 09:07:12 +02:00
|
|
|
def tokenize(self, s: str) -> List[Union[str, Escaped]]:
|
|
|
|
r"""Tokenize the raw arg string
|
|
|
|
|
|
|
|
There are only two token types - strings and escaped characters:
|
|
|
|
|
|
|
|
>>> KeyValueArgType('=').tokenize(r'foo\=bar\\baz')
|
|
|
|
['foo', Escaped('='), 'bar', Escaped('\\'), 'baz']
|
|
|
|
|
|
|
|
"""
|
|
|
|
tokens = ['']
|
|
|
|
characters = iter(s)
|
|
|
|
for char in characters:
|
|
|
|
if char == '\\':
|
|
|
|
char = next(characters, '')
|
|
|
|
if char not in self.special_characters:
|
|
|
|
tokens[-1] += '\\' + char
|
|
|
|
else:
|
|
|
|
tokens.extend([Escaped(char), ''])
|
|
|
|
else:
|
|
|
|
tokens[-1] += char
|
|
|
|
return tokens
|
|
|
|
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
class AuthCredentials(KeyValueArg):
|
|
|
|
"""Represents parsed credentials."""
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def has_password(self) -> bool:
|
2019-08-31 15:17:10 +02:00
|
|
|
return self.value is not None
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def prompt_password(self, host: str):
|
|
|
|
prompt_text = f'http: password for {self.key}@{host}: '
|
2019-08-31 15:17:10 +02:00
|
|
|
try:
|
2019-09-17 09:21:49 +02:00
|
|
|
self.value = self._getpass(prompt_text)
|
2019-08-31 15:17:10 +02:00
|
|
|
except (EOFError, KeyboardInterrupt):
|
|
|
|
sys.stderr.write('\n')
|
|
|
|
sys.exit(0)
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
@staticmethod
|
|
|
|
def _getpass(prompt):
|
|
|
|
# To allow easy mocking.
|
|
|
|
return getpass.getpass(str(prompt))
|
|
|
|
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
class AuthCredentialsArgType(KeyValueArgType):
|
|
|
|
"""A key-value arg type that parses credentials."""
|
|
|
|
|
|
|
|
key_value_class = AuthCredentials
|
|
|
|
|
2019-09-17 09:21:49 +02:00
|
|
|
def __call__(self, s):
|
|
|
|
"""Parse credentials from `s`.
|
2019-08-31 15:17:10 +02:00
|
|
|
|
|
|
|
("username" or "username:password").
|
|
|
|
|
|
|
|
"""
|
|
|
|
try:
|
2019-09-17 09:21:49 +02:00
|
|
|
return super().__call__(s)
|
2019-08-31 15:17:10 +02:00
|
|
|
except argparse.ArgumentTypeError:
|
|
|
|
# No password provided, will prompt for it later.
|
|
|
|
return self.key_value_class(
|
2019-09-17 09:21:49 +02:00
|
|
|
key=s,
|
2019-08-31 15:17:10 +02:00
|
|
|
value=None,
|
|
|
|
sep=SEPARATOR_CREDENTIALS,
|
2019-09-17 09:21:49 +02:00
|
|
|
orig=s
|
2019-08-31 15:17:10 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
|
|
|
|
parse_auth = AuthCredentialsArgType(SEPARATOR_CREDENTIALS)
|
|
|
|
|
|
|
|
|
|
|
|
def readable_file_arg(filename):
|
|
|
|
try:
|
|
|
|
with open(filename, 'rb'):
|
|
|
|
return filename
|
|
|
|
except IOError as ex:
|
2019-09-17 09:21:49 +02:00
|
|
|
raise argparse.ArgumentTypeError(f'{filename}: {ex.args[1]}')
|