Update dashboard, memory, root +2 more (+3 ~5)
This commit is contained in:
1802
venv/lib/python3.12/site-packages/httplib2/__init__.py
Normal file
1802
venv/lib/python3.12/site-packages/httplib2/__init__.py
Normal file
File diff suppressed because it is too large
Load Diff
63
venv/lib/python3.12/site-packages/httplib2/auth.py
Normal file
63
venv/lib/python3.12/site-packages/httplib2/auth.py
Normal file
@@ -0,0 +1,63 @@
|
||||
import re
|
||||
|
||||
import pyparsing as pp
|
||||
|
||||
from .error import MalformedHeader
|
||||
|
||||
|
||||
UNQUOTE_PAIRS = re.compile(r"\\(.)")
|
||||
unquote = lambda s, _, t: UNQUOTE_PAIRS.sub(r"\1", t[0][1:-1])
|
||||
|
||||
# https://tools.ietf.org/html/rfc7235#section-1.2
|
||||
# https://tools.ietf.org/html/rfc7235#appendix-B
|
||||
tchar = "!#$%&'*+-.^_`|~" + pp.nums + pp.alphas
|
||||
token = pp.Word(tchar).set_name("token")
|
||||
token68 = pp.Combine(pp.Word("-._~+/" + pp.nums + pp.alphas) + pp.Optional(pp.Word("=").leave_whitespace())).set_name(
|
||||
"token68"
|
||||
)
|
||||
|
||||
quoted_string = pp.dbl_quoted_string.copy().set_name("quoted-string").set_parse_action(unquote)
|
||||
auth_param_name = token.copy().set_name("auth-param-name").add_parse_action(pp.common.downcase_tokens)
|
||||
auth_param = auth_param_name + pp.Suppress("=") + (quoted_string | token)
|
||||
params = pp.Dict(pp.DelimitedList(pp.Group(auth_param)))
|
||||
|
||||
scheme = token("scheme")
|
||||
challenge = scheme + (params("params") | token68("token"))
|
||||
|
||||
authentication_info = params.copy()
|
||||
www_authenticate = pp.DelimitedList(pp.Group(challenge))
|
||||
|
||||
|
||||
def _parse_authentication_info(headers, headername="authentication-info"):
|
||||
"""https://tools.ietf.org/html/rfc7615
|
||||
"""
|
||||
header = headers.get(headername, "").strip()
|
||||
if not header:
|
||||
return {}
|
||||
try:
|
||||
parsed = authentication_info.parse_string(header)
|
||||
except pp.ParseException:
|
||||
# print(ex.explain(ex))
|
||||
raise MalformedHeader(headername)
|
||||
|
||||
return parsed.as_dict()
|
||||
|
||||
|
||||
def _parse_www_authenticate(headers, headername="www-authenticate"):
|
||||
"""Returns a dictionary of dictionaries, one dict per auth_scheme."""
|
||||
header = headers.get(headername, "").strip()
|
||||
if not header:
|
||||
return {}
|
||||
try:
|
||||
parsed = www_authenticate.parse_string(header)
|
||||
except pp.ParseException:
|
||||
# print(ex.explain(ex))
|
||||
raise MalformedHeader(headername)
|
||||
|
||||
retval = {
|
||||
challenge["scheme"].lower(): challenge["params"].as_dict()
|
||||
if "params" in challenge
|
||||
else {"token": challenge.get("token")}
|
||||
for challenge in parsed
|
||||
}
|
||||
return retval
|
||||
2225
venv/lib/python3.12/site-packages/httplib2/cacerts.txt
Normal file
2225
venv/lib/python3.12/site-packages/httplib2/cacerts.txt
Normal file
File diff suppressed because it is too large
Load Diff
42
venv/lib/python3.12/site-packages/httplib2/certs.py
Normal file
42
venv/lib/python3.12/site-packages/httplib2/certs.py
Normal file
@@ -0,0 +1,42 @@
|
||||
"""Utilities for certificate management."""
|
||||
|
||||
import os
|
||||
|
||||
certifi_available = False
|
||||
certifi_where = None
|
||||
try:
|
||||
from certifi import where as certifi_where
|
||||
certifi_available = True
|
||||
except ImportError:
|
||||
pass
|
||||
|
||||
custom_ca_locater_available = False
|
||||
custom_ca_locater_where = None
|
||||
try:
|
||||
from ca_certs_locater import get as custom_ca_locater_where
|
||||
custom_ca_locater_available = True
|
||||
except ImportError:
|
||||
pass
|
||||
|
||||
|
||||
BUILTIN_CA_CERTS = os.path.join(
|
||||
os.path.dirname(os.path.abspath(__file__)), "cacerts.txt"
|
||||
)
|
||||
|
||||
|
||||
def where():
|
||||
env = os.environ.get("HTTPLIB2_CA_CERTS")
|
||||
if env is not None:
|
||||
if os.path.isfile(env):
|
||||
return env
|
||||
else:
|
||||
raise RuntimeError("Environment variable HTTPLIB2_CA_CERTS not a valid file")
|
||||
if custom_ca_locater_available:
|
||||
return custom_ca_locater_where()
|
||||
if certifi_available:
|
||||
return certifi_where()
|
||||
return BUILTIN_CA_CERTS
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
print(where())
|
||||
48
venv/lib/python3.12/site-packages/httplib2/error.py
Normal file
48
venv/lib/python3.12/site-packages/httplib2/error.py
Normal file
@@ -0,0 +1,48 @@
|
||||
# All exceptions raised here derive from HttpLib2Error
|
||||
class HttpLib2Error(Exception):
|
||||
pass
|
||||
|
||||
|
||||
# Some exceptions can be caught and optionally
|
||||
# be turned back into responses.
|
||||
class HttpLib2ErrorWithResponse(HttpLib2Error):
|
||||
def __init__(self, desc, response, content):
|
||||
self.response = response
|
||||
self.content = content
|
||||
HttpLib2Error.__init__(self, desc)
|
||||
|
||||
|
||||
class RedirectMissingLocation(HttpLib2ErrorWithResponse):
|
||||
pass
|
||||
|
||||
|
||||
class RedirectLimit(HttpLib2ErrorWithResponse):
|
||||
pass
|
||||
|
||||
|
||||
class FailedToDecompressContent(HttpLib2ErrorWithResponse):
|
||||
pass
|
||||
|
||||
|
||||
class UnimplementedDigestAuthOptionError(HttpLib2ErrorWithResponse):
|
||||
pass
|
||||
|
||||
|
||||
class UnimplementedHmacDigestAuthOptionError(HttpLib2ErrorWithResponse):
|
||||
pass
|
||||
|
||||
|
||||
class MalformedHeader(HttpLib2Error):
|
||||
pass
|
||||
|
||||
|
||||
class RelativeURIError(HttpLib2Error):
|
||||
pass
|
||||
|
||||
|
||||
class ServerNotFoundError(HttpLib2Error):
|
||||
pass
|
||||
|
||||
|
||||
class ProxiesUnavailableError(HttpLib2Error):
|
||||
pass
|
||||
124
venv/lib/python3.12/site-packages/httplib2/iri2uri.py
Normal file
124
venv/lib/python3.12/site-packages/httplib2/iri2uri.py
Normal file
@@ -0,0 +1,124 @@
|
||||
# -*- coding: utf-8 -*-
|
||||
"""Converts an IRI to a URI."""
|
||||
|
||||
__author__ = "Joe Gregorio (joe@bitworking.org)"
|
||||
__copyright__ = "Copyright 2006, Joe Gregorio"
|
||||
__contributors__ = []
|
||||
__version__ = "1.0.0"
|
||||
__license__ = "MIT"
|
||||
|
||||
import urllib.parse
|
||||
|
||||
# Convert an IRI to a URI following the rules in RFC 3987
|
||||
#
|
||||
# The characters we need to enocde and escape are defined in the spec:
|
||||
#
|
||||
# iprivate = %xE000-F8FF / %xF0000-FFFFD / %x100000-10FFFD
|
||||
# ucschar = %xA0-D7FF / %xF900-FDCF / %xFDF0-FFEF
|
||||
# / %x10000-1FFFD / %x20000-2FFFD / %x30000-3FFFD
|
||||
# / %x40000-4FFFD / %x50000-5FFFD / %x60000-6FFFD
|
||||
# / %x70000-7FFFD / %x80000-8FFFD / %x90000-9FFFD
|
||||
# / %xA0000-AFFFD / %xB0000-BFFFD / %xC0000-CFFFD
|
||||
# / %xD0000-DFFFD / %xE1000-EFFFD
|
||||
|
||||
escape_range = [
|
||||
(0xA0, 0xD7FF),
|
||||
(0xE000, 0xF8FF),
|
||||
(0xF900, 0xFDCF),
|
||||
(0xFDF0, 0xFFEF),
|
||||
(0x10000, 0x1FFFD),
|
||||
(0x20000, 0x2FFFD),
|
||||
(0x30000, 0x3FFFD),
|
||||
(0x40000, 0x4FFFD),
|
||||
(0x50000, 0x5FFFD),
|
||||
(0x60000, 0x6FFFD),
|
||||
(0x70000, 0x7FFFD),
|
||||
(0x80000, 0x8FFFD),
|
||||
(0x90000, 0x9FFFD),
|
||||
(0xA0000, 0xAFFFD),
|
||||
(0xB0000, 0xBFFFD),
|
||||
(0xC0000, 0xCFFFD),
|
||||
(0xD0000, 0xDFFFD),
|
||||
(0xE1000, 0xEFFFD),
|
||||
(0xF0000, 0xFFFFD),
|
||||
(0x100000, 0x10FFFD),
|
||||
]
|
||||
|
||||
|
||||
def encode(c):
|
||||
retval = c
|
||||
i = ord(c)
|
||||
for low, high in escape_range:
|
||||
if i < low:
|
||||
break
|
||||
if i >= low and i <= high:
|
||||
retval = "".join(["%%%2X" % o for o in c.encode("utf-8")])
|
||||
break
|
||||
return retval
|
||||
|
||||
|
||||
def iri2uri(uri):
|
||||
"""Convert an IRI to a URI. Note that IRIs must be
|
||||
passed in a unicode strings. That is, do not utf-8 encode
|
||||
the IRI before passing it into the function."""
|
||||
if isinstance(uri, str):
|
||||
(scheme, authority, path, query, fragment) = urllib.parse.urlsplit(uri)
|
||||
authority = authority.encode("idna").decode("utf-8")
|
||||
# For each character in 'ucschar' or 'iprivate'
|
||||
# 1. encode as utf-8
|
||||
# 2. then %-encode each octet of that utf-8
|
||||
uri = urllib.parse.urlunsplit((scheme, authority, path, query, fragment))
|
||||
uri = "".join([encode(c) for c in uri])
|
||||
return uri
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
import unittest
|
||||
|
||||
class Test(unittest.TestCase):
|
||||
def test_uris(self):
|
||||
"""Test that URIs are invariant under the transformation."""
|
||||
invariant = [
|
||||
"ftp://ftp.is.co.za/rfc/rfc1808.txt",
|
||||
"http://www.ietf.org/rfc/rfc2396.txt",
|
||||
"ldap://[2001:db8::7]/c=GB?objectClass?one",
|
||||
"mailto:John.Doe@example.com",
|
||||
"news:comp.infosystems.www.servers.unix",
|
||||
"tel:+1-816-555-1212",
|
||||
"telnet://192.0.2.16:80/",
|
||||
"urn:oasis:names:specification:docbook:dtd:xml:4.1.2",
|
||||
]
|
||||
for uri in invariant:
|
||||
self.assertEqual(uri, iri2uri(uri))
|
||||
|
||||
def test_iri(self):
|
||||
"""Test that the right type of escaping is done for each part of the URI."""
|
||||
self.assertEqual(
|
||||
"http://xn--o3h.com/%E2%98%84",
|
||||
iri2uri("http://\N{COMET}.com/\N{COMET}"),
|
||||
)
|
||||
self.assertEqual(
|
||||
"http://bitworking.org/?fred=%E2%98%84",
|
||||
iri2uri("http://bitworking.org/?fred=\N{COMET}"),
|
||||
)
|
||||
self.assertEqual(
|
||||
"http://bitworking.org/#%E2%98%84",
|
||||
iri2uri("http://bitworking.org/#\N{COMET}"),
|
||||
)
|
||||
self.assertEqual("#%E2%98%84", iri2uri("#\N{COMET}"))
|
||||
self.assertEqual(
|
||||
"/fred?bar=%E2%98%9A#%E2%98%84",
|
||||
iri2uri("/fred?bar=\N{BLACK LEFT POINTING INDEX}#\N{COMET}"),
|
||||
)
|
||||
self.assertEqual(
|
||||
"/fred?bar=%E2%98%9A#%E2%98%84",
|
||||
iri2uri(iri2uri("/fred?bar=\N{BLACK LEFT POINTING INDEX}#\N{COMET}")),
|
||||
)
|
||||
self.assertNotEqual(
|
||||
"/fred?bar=%E2%98%9A#%E2%98%84",
|
||||
iri2uri(
|
||||
"/fred?bar=\N{BLACK LEFT POINTING INDEX}#\N{COMET}".encode("utf-8")
|
||||
),
|
||||
)
|
||||
|
||||
unittest.main()
|
||||
Reference in New Issue
Block a user