| | from __future__ import annotations |
| |
|
| | import base64 |
| | import binascii |
| | import ipaddress |
| | import re |
| | from collections.abc import Sequence |
| | from typing import Callable, TypeVar, cast |
| |
|
| | from .exceptions import InvalidHeaderFormat, InvalidHeaderValue |
| | from .typing import ( |
| | ConnectionOption, |
| | ExtensionHeader, |
| | ExtensionName, |
| | ExtensionParameter, |
| | Subprotocol, |
| | UpgradeProtocol, |
| | ) |
| |
|
| |
|
| | __all__ = [ |
| | "build_host", |
| | "parse_connection", |
| | "parse_upgrade", |
| | "parse_extension", |
| | "build_extension", |
| | "parse_subprotocol", |
| | "build_subprotocol", |
| | "validate_subprotocols", |
| | "build_www_authenticate_basic", |
| | "parse_authorization_basic", |
| | "build_authorization_basic", |
| | ] |
| |
|
| |
|
| | T = TypeVar("T") |
| |
|
| |
|
| | def build_host(host: str, port: int, secure: bool) -> str: |
| | """ |
| | Build a ``Host`` header. |
| | |
| | """ |
| | |
| | |
| | try: |
| | address = ipaddress.ip_address(host) |
| | except ValueError: |
| | |
| | pass |
| | else: |
| | |
| | if address.version == 6: |
| | host = f"[{host}]" |
| |
|
| | if port != (443 if secure else 80): |
| | host = f"{host}:{port}" |
| |
|
| | return host |
| |
|
| |
|
| | |
| | |
| | |
| |
|
| |
|
| | def peek_ahead(header: str, pos: int) -> str | None: |
| | """ |
| | Return the next character from ``header`` at the given position. |
| | |
| | Return :obj:`None` at the end of ``header``. |
| | |
| | We never need to peek more than one character ahead. |
| | |
| | """ |
| | return None if pos == len(header) else header[pos] |
| |
|
| |
|
| | _OWS_re = re.compile(r"[\t ]*") |
| |
|
| |
|
| | def parse_OWS(header: str, pos: int) -> int: |
| | """ |
| | Parse optional whitespace from ``header`` at the given position. |
| | |
| | Return the new position. |
| | |
| | The whitespace itself isn't returned because it isn't significant. |
| | |
| | """ |
| | |
| | match = _OWS_re.match(header, pos) |
| | assert match is not None |
| | return match.end() |
| |
|
| |
|
| | _token_re = re.compile(r"[-!#$%&\'*+.^_`|~0-9a-zA-Z]+") |
| |
|
| |
|
| | def parse_token(header: str, pos: int, header_name: str) -> tuple[str, int]: |
| | """ |
| | Parse a token from ``header`` at the given position. |
| | |
| | Return the token value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | match = _token_re.match(header, pos) |
| | if match is None: |
| | raise InvalidHeaderFormat(header_name, "expected token", header, pos) |
| | return match.group(), match.end() |
| |
|
| |
|
| | _quoted_string_re = re.compile( |
| | r'"(?:[\x09\x20-\x21\x23-\x5b\x5d-\x7e]|\\[\x09\x20-\x7e\x80-\xff])*"' |
| | ) |
| |
|
| |
|
| | _unquote_re = re.compile(r"\\([\x09\x20-\x7e\x80-\xff])") |
| |
|
| |
|
| | def parse_quoted_string(header: str, pos: int, header_name: str) -> tuple[str, int]: |
| | """ |
| | Parse a quoted string from ``header`` at the given position. |
| | |
| | Return the unquoted value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | match = _quoted_string_re.match(header, pos) |
| | if match is None: |
| | raise InvalidHeaderFormat(header_name, "expected quoted string", header, pos) |
| | return _unquote_re.sub(r"\1", match.group()[1:-1]), match.end() |
| |
|
| |
|
| | _quotable_re = re.compile(r"[\x09\x20-\x7e\x80-\xff]*") |
| |
|
| |
|
| | _quote_re = re.compile(r"([\x22\x5c])") |
| |
|
| |
|
| | def build_quoted_string(value: str) -> str: |
| | """ |
| | Format ``value`` as a quoted string. |
| | |
| | This is the reverse of :func:`parse_quoted_string`. |
| | |
| | """ |
| | match = _quotable_re.fullmatch(value) |
| | if match is None: |
| | raise ValueError("invalid characters for quoted-string encoding") |
| | return '"' + _quote_re.sub(r"\\\1", value) + '"' |
| |
|
| |
|
| | def parse_list( |
| | parse_item: Callable[[str, int, str], tuple[T, int]], |
| | header: str, |
| | pos: int, |
| | header_name: str, |
| | ) -> list[T]: |
| | """ |
| | Parse a comma-separated list from ``header`` at the given position. |
| | |
| | This is appropriate for parsing values with the following grammar: |
| | |
| | 1#item |
| | |
| | ``parse_item`` parses one item. |
| | |
| | ``header`` is assumed not to start or end with whitespace. |
| | |
| | (This function is designed for parsing an entire header value and |
| | :func:`~websockets.http.read_headers` strips whitespace from values.) |
| | |
| | Return a list of items. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | |
| | |
| | |
| |
|
| | |
| | while peek_ahead(header, pos) == ",": |
| | pos = parse_OWS(header, pos + 1) |
| |
|
| | items = [] |
| | while True: |
| | |
| | item, pos = parse_item(header, pos, header_name) |
| | items.append(item) |
| | pos = parse_OWS(header, pos) |
| |
|
| | |
| | if pos == len(header): |
| | break |
| |
|
| | |
| | if peek_ahead(header, pos) == ",": |
| | pos = parse_OWS(header, pos + 1) |
| | else: |
| | raise InvalidHeaderFormat(header_name, "expected comma", header, pos) |
| |
|
| | |
| | while peek_ahead(header, pos) == ",": |
| | pos = parse_OWS(header, pos + 1) |
| |
|
| | |
| | if pos == len(header): |
| | break |
| |
|
| | |
| | |
| | assert pos == len(header) |
| |
|
| | return items |
| |
|
| |
|
| | def parse_connection_option( |
| | header: str, pos: int, header_name: str |
| | ) -> tuple[ConnectionOption, int]: |
| | """ |
| | Parse a Connection option from ``header`` at the given position. |
| | |
| | Return the protocol value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | item, pos = parse_token(header, pos, header_name) |
| | return cast(ConnectionOption, item), pos |
| |
|
| |
|
| | def parse_connection(header: str) -> list[ConnectionOption]: |
| | """ |
| | Parse a ``Connection`` header. |
| | |
| | Return a list of HTTP connection options. |
| | |
| | Args |
| | header: value of the ``Connection`` header. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | return parse_list(parse_connection_option, header, 0, "Connection") |
| |
|
| |
|
| | _protocol_re = re.compile( |
| | r"[-!#$%&\'*+.^_`|~0-9a-zA-Z]+(?:/[-!#$%&\'*+.^_`|~0-9a-zA-Z]+)?" |
| | ) |
| |
|
| |
|
| | def parse_upgrade_protocol( |
| | header: str, pos: int, header_name: str |
| | ) -> tuple[UpgradeProtocol, int]: |
| | """ |
| | Parse an Upgrade protocol from ``header`` at the given position. |
| | |
| | Return the protocol value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | match = _protocol_re.match(header, pos) |
| | if match is None: |
| | raise InvalidHeaderFormat(header_name, "expected protocol", header, pos) |
| | return cast(UpgradeProtocol, match.group()), match.end() |
| |
|
| |
|
| | def parse_upgrade(header: str) -> list[UpgradeProtocol]: |
| | """ |
| | Parse an ``Upgrade`` header. |
| | |
| | Return a list of HTTP protocols. |
| | |
| | Args: |
| | header: Value of the ``Upgrade`` header. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | return parse_list(parse_upgrade_protocol, header, 0, "Upgrade") |
| |
|
| |
|
| | def parse_extension_item_param( |
| | header: str, pos: int, header_name: str |
| | ) -> tuple[ExtensionParameter, int]: |
| | """ |
| | Parse a single extension parameter from ``header`` at the given position. |
| | |
| | Return a ``(name, value)`` pair and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | |
| | name, pos = parse_token(header, pos, header_name) |
| | pos = parse_OWS(header, pos) |
| | |
| | value: str | None = None |
| | if peek_ahead(header, pos) == "=": |
| | pos = parse_OWS(header, pos + 1) |
| | if peek_ahead(header, pos) == '"': |
| | pos_before = pos |
| | value, pos = parse_quoted_string(header, pos, header_name) |
| | |
| | |
| | |
| | if _token_re.fullmatch(value) is None: |
| | raise InvalidHeaderFormat( |
| | header_name, "invalid quoted header content", header, pos_before |
| | ) |
| | else: |
| | value, pos = parse_token(header, pos, header_name) |
| | pos = parse_OWS(header, pos) |
| |
|
| | return (name, value), pos |
| |
|
| |
|
| | def parse_extension_item( |
| | header: str, pos: int, header_name: str |
| | ) -> tuple[ExtensionHeader, int]: |
| | """ |
| | Parse an extension definition from ``header`` at the given position. |
| | |
| | Return an ``(extension name, parameters)`` pair, where ``parameters`` is a |
| | list of ``(name, value)`` pairs, and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | |
| | name, pos = parse_token(header, pos, header_name) |
| | pos = parse_OWS(header, pos) |
| | |
| | parameters = [] |
| | while peek_ahead(header, pos) == ";": |
| | pos = parse_OWS(header, pos + 1) |
| | parameter, pos = parse_extension_item_param(header, pos, header_name) |
| | parameters.append(parameter) |
| | return (cast(ExtensionName, name), parameters), pos |
| |
|
| |
|
| | def parse_extension(header: str) -> list[ExtensionHeader]: |
| | """ |
| | Parse a ``Sec-WebSocket-Extensions`` header. |
| | |
| | Return a list of WebSocket extensions and their parameters in this format:: |
| | |
| | [ |
| | ( |
| | 'extension name', |
| | [ |
| | ('parameter name', 'parameter value'), |
| | .... |
| | ] |
| | ), |
| | ... |
| | ] |
| | |
| | Parameter values are :obj:`None` when no value is provided. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | return parse_list(parse_extension_item, header, 0, "Sec-WebSocket-Extensions") |
| |
|
| |
|
| | parse_extension_list = parse_extension |
| |
|
| |
|
| | def build_extension_item( |
| | name: ExtensionName, parameters: list[ExtensionParameter] |
| | ) -> str: |
| | """ |
| | Build an extension definition. |
| | |
| | This is the reverse of :func:`parse_extension_item`. |
| | |
| | """ |
| | return "; ".join( |
| | [cast(str, name)] |
| | + [ |
| | |
| | name if value is None else f"{name}={value}" |
| | for name, value in parameters |
| | ] |
| | ) |
| |
|
| |
|
| | def build_extension(extensions: Sequence[ExtensionHeader]) -> str: |
| | """ |
| | Build a ``Sec-WebSocket-Extensions`` header. |
| | |
| | This is the reverse of :func:`parse_extension`. |
| | |
| | """ |
| | return ", ".join( |
| | build_extension_item(name, parameters) for name, parameters in extensions |
| | ) |
| |
|
| |
|
| | build_extension_list = build_extension |
| |
|
| |
|
| | def parse_subprotocol_item( |
| | header: str, pos: int, header_name: str |
| | ) -> tuple[Subprotocol, int]: |
| | """ |
| | Parse a subprotocol from ``header`` at the given position. |
| | |
| | Return the subprotocol value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | item, pos = parse_token(header, pos, header_name) |
| | return cast(Subprotocol, item), pos |
| |
|
| |
|
| | def parse_subprotocol(header: str) -> list[Subprotocol]: |
| | """ |
| | Parse a ``Sec-WebSocket-Protocol`` header. |
| | |
| | Return a list of WebSocket subprotocols. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | return parse_list(parse_subprotocol_item, header, 0, "Sec-WebSocket-Protocol") |
| |
|
| |
|
| | parse_subprotocol_list = parse_subprotocol |
| |
|
| |
|
| | def build_subprotocol(subprotocols: Sequence[Subprotocol]) -> str: |
| | """ |
| | Build a ``Sec-WebSocket-Protocol`` header. |
| | |
| | This is the reverse of :func:`parse_subprotocol`. |
| | |
| | """ |
| | return ", ".join(subprotocols) |
| |
|
| |
|
| | build_subprotocol_list = build_subprotocol |
| |
|
| |
|
| | def validate_subprotocols(subprotocols: Sequence[Subprotocol]) -> None: |
| | """ |
| | Validate that ``subprotocols`` is suitable for :func:`build_subprotocol`. |
| | |
| | """ |
| | if not isinstance(subprotocols, Sequence): |
| | raise TypeError("subprotocols must be a list") |
| | if isinstance(subprotocols, str): |
| | raise TypeError("subprotocols must be a list, not a str") |
| | for subprotocol in subprotocols: |
| | if not _token_re.fullmatch(subprotocol): |
| | raise ValueError(f"invalid subprotocol: {subprotocol}") |
| |
|
| |
|
| | def build_www_authenticate_basic(realm: str) -> str: |
| | """ |
| | Build a ``WWW-Authenticate`` header for HTTP Basic Auth. |
| | |
| | Args: |
| | realm: Identifier of the protection space. |
| | |
| | """ |
| | |
| | realm = build_quoted_string(realm) |
| | charset = build_quoted_string("UTF-8") |
| | return f"Basic realm={realm}, charset={charset}" |
| |
|
| |
|
| | _token68_re = re.compile(r"[A-Za-z0-9-._~+/]+=*") |
| |
|
| |
|
| | def parse_token68(header: str, pos: int, header_name: str) -> tuple[str, int]: |
| | """ |
| | Parse a token68 from ``header`` at the given position. |
| | |
| | Return the token value and the new position. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | |
| | """ |
| | match = _token68_re.match(header, pos) |
| | if match is None: |
| | raise InvalidHeaderFormat(header_name, "expected token68", header, pos) |
| | return match.group(), match.end() |
| |
|
| |
|
| | def parse_end(header: str, pos: int, header_name: str) -> None: |
| | """ |
| | Check that parsing reached the end of header. |
| | |
| | """ |
| | if pos < len(header): |
| | raise InvalidHeaderFormat(header_name, "trailing data", header, pos) |
| |
|
| |
|
| | def parse_authorization_basic(header: str) -> tuple[str, str]: |
| | """ |
| | Parse an ``Authorization`` header for HTTP Basic Auth. |
| | |
| | Return a ``(username, password)`` tuple. |
| | |
| | Args: |
| | header: Value of the ``Authorization`` header. |
| | |
| | Raises: |
| | InvalidHeaderFormat: On invalid inputs. |
| | InvalidHeaderValue: On unsupported inputs. |
| | |
| | """ |
| | |
| | |
| | scheme, pos = parse_token(header, 0, "Authorization") |
| | if scheme.lower() != "basic": |
| | raise InvalidHeaderValue( |
| | "Authorization", |
| | f"unsupported scheme: {scheme}", |
| | ) |
| | if peek_ahead(header, pos) != " ": |
| | raise InvalidHeaderFormat( |
| | "Authorization", "expected space after scheme", header, pos |
| | ) |
| | pos += 1 |
| | basic_credentials, pos = parse_token68(header, pos, "Authorization") |
| | parse_end(header, pos, "Authorization") |
| |
|
| | try: |
| | user_pass = base64.b64decode(basic_credentials.encode()).decode() |
| | except binascii.Error: |
| | raise InvalidHeaderValue( |
| | "Authorization", |
| | "expected base64-encoded credentials", |
| | ) from None |
| | try: |
| | username, password = user_pass.split(":", 1) |
| | except ValueError: |
| | raise InvalidHeaderValue( |
| | "Authorization", |
| | "expected username:password credentials", |
| | ) from None |
| |
|
| | return username, password |
| |
|
| |
|
| | def build_authorization_basic(username: str, password: str) -> str: |
| | """ |
| | Build an ``Authorization`` header for HTTP Basic Auth. |
| | |
| | This is the reverse of :func:`parse_authorization_basic`. |
| | |
| | """ |
| | |
| | assert ":" not in username |
| | user_pass = f"{username}:{password}" |
| | basic_credentials = base64.b64encode(user_pass.encode()).decode() |
| | return "Basic " + basic_credentials |
| |
|