Python httplib.HTTPSConnection() Examples
The following are 30
code examples of httplib.HTTPSConnection().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
httplib
, or try the search function
.
Example #1
Source File: L.E.S.M.A. - Fabrica de Noobs Speedtest.py From L.E.S.M.A with Apache License 2.0 | 6 votes |
def validate_optional_args(args): """Check if an argument was provided that depends on a module that may not be part of the Python standard library. If such an argument is supplied, and the module does not exist, exit with an error stating which module is missing. """ optional_args = { 'json': ('json/simplejson python module', json), 'secure': ('SSL support', HTTPSConnection), } for arg, info in optional_args.items(): if getattr(args, arg, False) and info[1] is None: raise SystemExit('%s is not installed. --%s is ' 'unavailable' % (info[0], arg))
Example #2
Source File: httprelayclient.py From CVE-2017-7494 with GNU General Public License v3.0 | 6 votes |
def __init__(self, target): # Target comes as protocol://target:port/path self.target = target proto, host, path = target.split(':') host = host[2:] self.path = '/' + path.split('/', 1)[1] if proto.lower() == 'https': #Create unverified (insecure) context try: uv_context = ssl.SSLContext(ssl.PROTOCOL_SSLv23) self.session = HTTPSConnection(host,context=uv_context) except AttributeError: #This does not exist on python < 2.7.11 self.session = HTTPSConnection(host) else: self.session = HTTPConnection(host) self.lastresult = None
Example #3
Source File: test_httplib.py From ironpython2 with Apache License 2.0 | 6 votes |
def test_host_port(self): # Check invalid host_port for hp in ("www.python.org:abc", "user:password@www.python.org"): self.assertRaises(httplib.InvalidURL, httplib.HTTPSConnection, hp) for hp, h, p in (("[fe80::207:e9ff:fe9b]:8000", "fe80::207:e9ff:fe9b", 8000), ("www.python.org:443", "www.python.org", 443), ("www.python.org:", "www.python.org", 443), ("www.python.org", "www.python.org", 443), ("[fe80::207:e9ff:fe9b]", "fe80::207:e9ff:fe9b", 443), ("[fe80::207:e9ff:fe9b]:", "fe80::207:e9ff:fe9b", 443)): c = httplib.HTTPSConnection(hp) self.assertEqual(h, c.host) self.assertEqual(p, c.port)
Example #4
Source File: test_httplib.py From oss-ftp with MIT License | 6 votes |
def test_host_port(self): # Check invalid host_port for hp in ("www.python.org:abc", "user:password@www.python.org"): self.assertRaises(httplib.InvalidURL, httplib.HTTPSConnection, hp) for hp, h, p in (("[fe80::207:e9ff:fe9b]:8000", "fe80::207:e9ff:fe9b", 8000), ("www.python.org:443", "www.python.org", 443), ("www.python.org:", "www.python.org", 443), ("www.python.org", "www.python.org", 443), ("[fe80::207:e9ff:fe9b]", "fe80::207:e9ff:fe9b", 443), ("[fe80::207:e9ff:fe9b]:", "fe80::207:e9ff:fe9b", 443)): c = httplib.HTTPSConnection(hp) self.assertEqual(h, c.host) self.assertEqual(p, c.port)
Example #5
Source File: dev_appserver_apiserver.py From browserscope with Apache License 2.0 | 6 votes |
def GetStaticFile(self, path): """Returns static content via a GET request. Args: path: URL path after the domain. Returns: Tuple of (response, response_body): response: HTTPResponse object. response_body: Response body as string. """ connection = httplib.HTTPSConnection(self._STATIC_PROXY_HOST) try: connection.request('GET', path, None, {}) response = connection.getresponse() response_body = response.read() finally: connection.close() return response, response_body
Example #6
Source File: dev_appserver_apiserver.py From browserscope with Apache License 2.0 | 6 votes |
def _DispatchRequest(self, path, body): """Proxies GET request to discovery service API. Args: path: URL path relative to discovery service. body: HTTP POST request body. Returns: HTTP response body or None if it failed. """ full_path = self._DISCOVERY_API_PATH_PREFIX + path headers = {'Content-type': 'application/json'} connection = httplib.HTTPSConnection(self._DISCOVERY_PROXY_HOST) try: connection.request('POST', full_path, body, headers) response = connection.getresponse() response_body = response.read() if response.status != 200: logging.error('Discovery API proxy failed on %s with %d.\r\n' 'Request: %s\r\nResponse: %s', full_path, response.status, body, response_body) return None return response_body finally: connection.close()
Example #7
Source File: discovery_api_proxy.py From browserscope with Apache License 2.0 | 6 votes |
def get_static_file(self, path): """Returns static content via a GET request. Args: path: A string containing the URL path after the domain. Returns: A tuple of (response, response_body): response: A HTTPResponse object with the response from the static proxy host. response_body: A string containing the response body. """ connection = httplib.HTTPSConnection(self._STATIC_PROXY_HOST) try: connection.request('GET', path, None, {}) response = connection.getresponse() response_body = response.read() finally: connection.close() return response, response_body
Example #8
Source File: discovery_api_proxy.py From browserscope with Apache License 2.0 | 6 votes |
def _dispatch_request(self, path, body): """Proxies GET request to discovery service API. Args: path: A string containing the URL path relative to discovery service. body: A string containing the HTTP POST request body. Returns: HTTP response body or None if it failed. """ full_path = self._DISCOVERY_API_PATH_PREFIX + path headers = {'Content-type': 'application/json'} connection = httplib.HTTPSConnection(self._DISCOVERY_PROXY_HOST) try: connection.request('POST', full_path, body, headers) response = connection.getresponse() response_body = response.read() if response.status != 200: logging.error('Discovery API proxy failed on %s with %d.\r\n' 'Request: %s\r\nResponse: %s', full_path, response.status, body, response_body) return None return response_body finally: connection.close()
Example #9
Source File: httprelayclient.py From cracke-dit with MIT License | 6 votes |
def __init__(self, target): # Target comes as protocol://target:port/path self.target = target proto, host, path = target.split(':') host = host[2:] self.path = '/' + path.split('/', 1)[1] if proto.lower() == 'https': #Create unverified (insecure) context try: uv_context = ssl.SSLContext(ssl.PROTOCOL_SSLv23) self.session = HTTPSConnection(host,context=uv_context) except AttributeError: #This does not exist on python < 2.7.11 self.session = HTTPSConnection(host) else: self.session = HTTPConnection(host) self.lastresult = None
Example #10
Source File: paymentrequest.py From encompass with GNU General Public License v3.0 | 6 votes |
def read(self, url): self.url = url u = urlparse.urlparse(url) self.domain = u.netloc try: connection = httplib.HTTPConnection(u.netloc) if u.scheme == 'http' else httplib.HTTPSConnection(u.netloc) connection.request("GET",u.geturl(), headers=REQUEST_HEADERS) response = connection.getresponse() except: self.error = "cannot read url" return try: r = response.read() except: self.error = "cannot read" return self.id = bitcoin.sha256(r)[0:16].encode('hex') filename = os.path.join(self.dir_path, self.id) with open(filename,'w') as f: f.write(r) return self.parse(r)
Example #11
Source File: coinbase_buyback.py From encompass with GNU General Public License v3.0 | 6 votes |
def do_buy(credentials, amount): conn = httplib.HTTPSConnection('coinbase.com') credentials.authorize(conn) params = { 'qty': float(amount)/SATOSHIS_PER_BTC, 'agree_btc_amount_varies': False } resp = conn.auth_request('POST', '/api/v1/buys', urlencode(params), None) if resp.status != 200: message(_('Error, could not buy bitcoin')) return content = json.loads(resp.read()) if content['success']: message(_('Success!\n') + content['transfer']['description']) else: if content['errors']: message(_('Error: ') + string.join(content['errors'], '\n')) else: message(_('Error, could not buy bitcoin'))
Example #12
Source File: generate-google-id-jwt.py From endpoints-tools with Apache License 2.0 | 6 votes |
def main(args): """Request a Google ID token using a JWT.""" params = urllib.urlencode({ 'grant_type': 'urn:ietf:params:oauth:grant-type:jwt-bearer', 'assertion': generate_jwt(args)}) headers = {"Content-Type": "application/x-www-form-urlencoded"} conn = httplib.HTTPSConnection("www.googleapis.com") conn.request("POST", "/oauth2/v4/token", params, headers) res = json.loads(conn.getresponse().read()) conn.close() return res['id_token']
Example #13
Source File: test_httplib.py From oss-ftp with MIT License | 5 votes |
def test_local_unknown_cert(self): # The custom cert isn't known to the default trust bundle import ssl server = self.make_server(CERT_localhost) h = httplib.HTTPSConnection('localhost', server.port) with self.assertRaises(ssl.SSLError) as exc_info: h.request('GET', '/') self.assertEqual(exc_info.exception.reason, 'CERTIFICATE_VERIFY_FAILED')
Example #14
Source File: test_httplib.py From oss-ftp with MIT License | 5 votes |
def test_networked_bad_cert(self): # We feed a "CA" cert that is unrelated to the server's cert import ssl test_support.requires('network') with test_support.transient_internet('self-signed.pythontest.net'): context = ssl.SSLContext(ssl.PROTOCOL_TLSv1) context.verify_mode = ssl.CERT_REQUIRED context.load_verify_locations(CERT_localhost) h = httplib.HTTPSConnection('self-signed.pythontest.net', 443, context=context) with self.assertRaises(ssl.SSLError) as exc_info: h.request('GET', '/') self.assertEqual(exc_info.exception.reason, 'CERTIFICATE_VERIFY_FAILED')
Example #15
Source File: urllib2.py From GDCTSCP with GNU Affero General Public License v3.0 | 5 votes |
def https_open(self, req): return self.do_open(httplib.HTTPSConnection, req, context=self._context)
Example #16
Source File: xmlrpclib.py From BinderFilter with MIT License | 5 votes |
def make_connection(self, host): if self._connection and host == self._connection[0]: return self._connection[1] # create a HTTPS connection object from a host descriptor # host may be a string, or a (host, x509-dict) tuple try: HTTPS = httplib.HTTPSConnection except AttributeError: raise NotImplementedError( "your version of httplib doesn't support HTTPS" ) else: chost, self._extra_headers, x509 = self.get_host_info(host) self._connection = host, HTTPS(chost, None, **(x509 or {})) return self._connection[1] ## # Standard server proxy. This class establishes a virtual connection # to an XML-RPC server. # <p> # This class is available as ServerProxy and Server. New code should # use ServerProxy, to avoid confusion. # # @def ServerProxy(uri, **options) # @param uri The connection point on the server. # @keyparam transport A transport factory, compatible with the # standard transport class. # @keyparam encoding The default encoding used for 8-bit strings # (default is UTF-8). # @keyparam verbose Use a true value to enable debugging output. # (printed to standard output). # @see Transport
Example #17
Source File: test_httplib.py From BinderFilter with MIT License | 5 votes |
def test_attributes(self): # simple test to check it's storing it if hasattr(httplib, 'HTTPSConnection'): h = httplib.HTTPSConnection(HOST, TimeoutTest.PORT, timeout=30) self.assertEqual(h.timeout, 30)
Example #18
Source File: test_httplib.py From BinderFilter with MIT License | 5 votes |
def testHTTPSConnectionSourceAddress(self): self.conn = httplib.HTTPSConnection(HOST, self.port, source_address=('', self.source_port)) # We don't test anything here other the constructor not barfing as # this code doesn't deal with setting up an active running SSL server # for an ssl_wrapped connect() to actually return from.
Example #19
Source File: urllib2.py From BinderFilter with MIT License | 5 votes |
def https_open(self, req): return self.do_open(httplib.HTTPSConnection, req)
Example #20
Source File: test_httplib.py From oss-ftp with MIT License | 5 votes |
def test_local_good_hostname(self): # The (valid) cert validates the HTTP hostname import ssl server = self.make_server(CERT_localhost) context = ssl.SSLContext(ssl.PROTOCOL_TLSv1) context.verify_mode = ssl.CERT_REQUIRED context.load_verify_locations(CERT_localhost) h = httplib.HTTPSConnection('localhost', server.port, context=context) h.request('GET', '/nonexistent') resp = h.getresponse() self.assertEqual(resp.status, 404)
Example #21
Source File: iis_shortname_Scan.py From fuzzdb-collect with GNU General Public License v3.0 | 5 votes |
def _conn(self): try: if self.scheme == 'https': conn = httplib.HTTPSConnection(self.netloc) else: conn = httplib.HTTPConnection(self.netloc) return conn except Exception, e: print '[Exception in function _conn]', e return None # fetch http response status code
Example #22
Source File: __init__.py From sndlatr with Apache License 2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict, timeout=timeout) self._fetch = _new_fixed_fetch( not disable_ssl_certificate_validation) # Update the connection classes to use the Googel App Engine specific ones.
Example #23
Source File: __init__.py From sndlatr with Apache License 2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict) self.timeout = timeout self.proxy_info = proxy_info if ca_certs is None: ca_certs = CA_CERTS self.ca_certs = ca_certs self.disable_ssl_certificate_validation = \ disable_ssl_certificate_validation # The following two methods were adapted from https_wrapper.py, released # with the Google Appengine SDK at # http://googleappengine.googlecode.com/svn-history/r136/trunk/python/google/appengine/tools/https_wrapper.py # under the following license: # # Copyright 2007 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. #
Example #24
Source File: sockshandler.py From phpsploit with GNU General Public License v3.0 | 5 votes |
def __init__(self, proxytype, proxyaddr, proxyport=None, rdns=True, username=None, password=None, *args, **kwargs): self.proxyargs = (proxytype, proxyaddr, proxyport, rdns, username, password) httplib.HTTPSConnection.__init__(self, *args, **kwargs)
Example #25
Source File: __init__.py From faces with GNU General Public License v2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False, ssl_version=None): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict, timeout=timeout) self._fetch = _new_fixed_fetch( not disable_ssl_certificate_validation) # Use a different connection object for Google App Engine
Example #26
Source File: __init__.py From faces with GNU General Public License v2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False, ssl_version=None): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict) self.timeout = timeout self.proxy_info = proxy_info if ca_certs is None: ca_certs = CA_CERTS self.ca_certs = ca_certs self.disable_ssl_certificate_validation = \ disable_ssl_certificate_validation self.ssl_version = ssl_version # The following two methods were adapted from https_wrapper.py, released # with the Google Appengine SDK at # http://googleappengine.googlecode.com/svn-history/r136/trunk/python/google/appengine/tools/https_wrapper.py # under the following license: # # Copyright 2007 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. #
Example #27
Source File: sockshandler.py From faces with GNU General Public License v2.0 | 5 votes |
def __init__(self, proxytype, proxyaddr, proxyport=None, rdns=True, username=None, password=None, *args, **kwargs): self.proxyargs = (proxytype, proxyaddr, proxyport, rdns, username, password) httplib.HTTPSConnection.__init__(self, *args, **kwargs)
Example #28
Source File: __init__.py From faces with GNU General Public License v2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False, ssl_version=None): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict, timeout=timeout) self._fetch = _new_fixed_fetch( not disable_ssl_certificate_validation) # Use a different connection object for Google App Engine
Example #29
Source File: __init__.py From faces with GNU General Public License v2.0 | 5 votes |
def __init__(self, host, port=None, key_file=None, cert_file=None, strict=None, timeout=None, proxy_info=None, ca_certs=None, disable_ssl_certificate_validation=False, ssl_version=None): httplib.HTTPSConnection.__init__(self, host, port=port, key_file=key_file, cert_file=cert_file, strict=strict) self.timeout = timeout self.proxy_info = proxy_info if ca_certs is None: ca_certs = CA_CERTS self.ca_certs = ca_certs self.disable_ssl_certificate_validation = \ disable_ssl_certificate_validation self.ssl_version = ssl_version # The following two methods were adapted from https_wrapper.py, released # with the Google Appengine SDK at # http://googleappengine.googlecode.com/svn-history/r136/trunk/python/google/appengine/tools/https_wrapper.py # under the following license: # # Copyright 2007 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. #
Example #30
Source File: coinbase_buyback.py From encompass with GNU General Public License v3.0 | 5 votes |
def step2_exchange(code): body = urllib.urlencode({ 'grant_type': 'authorization_code', 'client_id': CLIENT_ID, 'client_secret': CLIENT_SECRET, 'code': code, 'redirect_uri': REDIRECT_URI, 'scope': SCOPE, }) headers = { 'content-type': 'application/x-www-form-urlencoded', } conn = httplib.HTTPSConnection('coinbase.com') conn.request('POST', TOKEN_URI, body, headers) resp = conn.getresponse() if resp.status == 200: d = json.loads(resp.read()) access_token = d['access_token'] refresh_token = d.get('refresh_token', None) token_expiry = None if 'expires_in' in d: token_expiry = datetime.datetime.utcnow() + datetime.timedelta( seconds=int(d['expires_in'])) return Credentials(access_token, refresh_token, token_expiry) else: raise OAuth2Exception(content)