Python pycurl.CAINFO Examples
The following are 14
code examples of pycurl.CAINFO().
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
pycurl
, or try the search function
.
Example #1
Source File: homura.py From homura with BSD 2-Clause "Simplified" License | 7 votes |
def _fill_in_cainfo(self): """Fill in the path of the PEM file containing the CA certificate. The priority is: 1. user provided path, 2. path to the cacert.pem bundle provided by certifi (if installed), 3. let pycurl use the system path where libcurl's cacert bundle is assumed to be stored, as established at libcurl build time. """ if self.cainfo: cainfo = self.cainfo else: try: cainfo = certifi.where() except AttributeError: cainfo = None if cainfo: self._pycurl.setopt(pycurl.CAINFO, cainfo)
Example #2
Source File: test_fetch.py From landscape-client with GNU General Public License v2.0 | 6 votes |
def test_cainfo(self): curl = CurlStub(b"result") result = fetch("https://example.com", cainfo="cainfo", curl=curl) self.assertEqual(result, b"result") self.assertEqual(curl.options, {pycurl.URL: b"https://example.com", pycurl.FOLLOWLOCATION: 1, pycurl.MAXREDIRS: 5, pycurl.CONNECTTIMEOUT: 30, pycurl.LOW_SPEED_LIMIT: 1, pycurl.LOW_SPEED_TIME: 600, pycurl.NOSIGNAL: 1, pycurl.WRITEFUNCTION: Any(), pycurl.CAINFO: b"cainfo", pycurl.DNS_CACHE_TIMEOUT: 0, pycurl.ENCODING: b"gzip,deflate"})
Example #3
Source File: http_client.py From pledgeservice with Apache License 2.0 | 5 votes |
def request(self, method, url, headers, post_data=None): s = util.StringIO.StringIO() curl = pycurl.Curl() if method == 'get': curl.setopt(pycurl.HTTPGET, 1) elif method == 'post': curl.setopt(pycurl.POST, 1) curl.setopt(pycurl.POSTFIELDS, post_data) else: curl.setopt(pycurl.CUSTOMREQUEST, method.upper()) # pycurl doesn't like unicode URLs curl.setopt(pycurl.URL, util.utf8(url)) curl.setopt(pycurl.WRITEFUNCTION, s.write) curl.setopt(pycurl.NOSIGNAL, 1) curl.setopt(pycurl.CONNECTTIMEOUT, 30) curl.setopt(pycurl.TIMEOUT, 80) curl.setopt(pycurl.HTTPHEADER, ['%s: %s' % (k, v) for k, v in headers.iteritems()]) if self._verify_ssl_certs: curl.setopt(pycurl.CAINFO, os.path.join( os.path.dirname(__file__), 'data/ca-certificates.crt')) else: curl.setopt(pycurl.SSL_VERIFYHOST, False) try: curl.perform() except pycurl.error, e: self._handle_request_error(e)
Example #4
Source File: tms_image.py From gbdxtools with MIT License | 5 votes |
def load_url(url, shape=(3, 256, 256)): if shape != (3, 256, 256): shape = shape[0][0], shape[1][0], shape[2][0] """ Loads a tms png inside a thread and returns as an ndarray """ thread_id = threading.current_thread().ident _curl = _curl_pool[thread_id] _curl.setopt(_curl.URL, url) _curl.setopt(pycurl.NOSIGNAL, 1) # cert errors on windows _curl.setopt(pycurl.CAINFO, certifi.where()) _, ext = os.path.splitext(urlparse(url).path) with NamedTemporaryFile(prefix="gbdxtools", suffix=ext, delete=False) as temp: # TODO: apply correct file extension _curl.setopt(_curl.WRITEDATA, temp.file) _curl.perform() code = _curl.getinfo(pycurl.HTTP_CODE) try: if(code != 200): raise TypeError("Request for {} returned unexpected error code: {}".format(url, code)) temp.file.flush() temp.close() arr = np.rollaxis(imread(temp.name), 2, 0) except Exception as e: print(e) arr = np.zeros(shape, dtype=np.uint8) _curl.close() del _curl_pool[thread_id] finally: temp.close() os.remove(temp.name) return arr
Example #5
Source File: dt-excel.py From dynatrace-api with BSD 3-Clause "New" or "Revised" License | 5 votes |
def dtApiQuery(endpoint): buffer=io.BytesIO() c = pycurl.Curl() c.setopt(c.URL, URL + endpoint) c.setopt(pycurl.CAINFO, certifi.where()) c.setopt(c.HTTPHEADER, ['Authorization: Api-Token ' + APITOKEN] ) c.setopt(pycurl.WRITEFUNCTION, buffer.write) c.perform() print('Status: %d' % c.getinfo(c.RESPONSE_CODE)) c.close() return(buffer.getvalue().decode('UTF-8')) ### Setup workbook
Example #6
Source File: test_fetch.py From landscape-client with GNU General Public License v2.0 | 5 votes |
def test_cainfo_on_http(self): curl = CurlStub(b"result") result = fetch("http://example.com", cainfo="cainfo", curl=curl) self.assertEqual(result, b"result") self.assertTrue(pycurl.CAINFO not in curl.options)
Example #7
Source File: helpers.py From the-new-hotness with GNU Lesser General Public License v2.1 | 5 votes |
def secure_download(url, cainfo=""): import pycurl import io c = pycurl.Curl() c.setopt(pycurl.URL, url.encode("ascii")) # -k / --insecure # c.setopt(pycurl.SSL_VERIFYPEER, 0) # Verify certificate c.setopt(pycurl.SSL_VERIFYPEER, 1) # Verify CommonName or Subject Alternate Name c.setopt(pycurl.SSL_VERIFYHOST, 2) # --cacert if cainfo: c.setopt(pycurl.CAINFO, cainfo) res = io.StringIO() c.setopt(pycurl.WRITEFUNCTION, res.write) # follow up to 10 http location: headers c.setopt(pycurl.FOLLOWLOCATION, 1) c.setopt(pycurl.MAXREDIRS, 10) c.perform() c.close() data = res.getvalue() res.close() return data
Example #8
Source File: test_helpers.py From the-new-hotness with GNU Lesser General Public License v2.1 | 5 votes |
def test_secure_download(self): import pycurl import io # Required mocks mock_curl_instance = Mock() mock_stringio_instance = Mock() mock_stringio_instance.getvalue.return_value = "mock StringIO value" # Expected pycurl setopt calls expected_setopt_calls = [ call(pycurl.URL, b"https://example.com/file.extension"), call(pycurl.SSL_VERIFYPEER, 1), call(pycurl.SSL_VERIFYHOST, 2), call(pycurl.CAINFO, "/etc/certs/cabundle.pem"), call(pycurl.WRITEFUNCTION, mock_stringio_instance.write), call(pycurl.FOLLOWLOCATION, 1), call(pycurl.MAXREDIRS, 10), ] with patch.object(pycurl, "Curl") as mock_curl_constructor: with patch.object(io, "StringIO") as mock_stringio_constructor: mock_curl_constructor.return_value = mock_curl_instance mock_stringio_constructor.return_value = mock_stringio_instance secure_download_result = helpers.secure_download( "https://example.com/file.extension", "/etc/certs/cabundle.pem" ) # Check curl calls mock_curl_instance.setopt.assert_has_calls(expected_setopt_calls) mock_curl_instance.perform.assert_called_once_with() mock_curl_instance.close.assert_called_once_with() # Check StringIO call mock_stringio_instance.getvalue.assert_called_once_with() self.assertEqual(secure_download_result, "mock StringIO value")
Example #9
Source File: pycurllib.py From BitTorrent with GNU General Public License v3.0 | 5 votes |
def __init__(self, url): self.c = pycurl.Curl() self.headers = {} self.c.setopt(self.c.URL, url) if use_cert_authority: self.c.setopt(pycurl.CAINFO, CA_PATH) self.c.setopt(pycurl.CAPATH, CA_PATH) #self.c.setopt(pycurl.CA_BUNDLE, CA_PATH) else: self.c.setopt(pycurl.SSL_VERIFYHOST, 0) self.c.setopt(pycurl.SSL_VERIFYPEER, 0) if http_bindaddr: self.c.setopt(self.c.INTERFACE, http_bindaddr) if user_agent: self.c.setopt(pycurl.USERAGENT, user_agent) if use_compression: if _pycurl_compression: # If a zero-length string is set, then an Accept-Encoding header # containing all supported encodings is sent. self.c.setopt(pycurl.ENCODING, "") # someday, gzip manually with GzipFile #else: # self.add_header("Accept-Encoding", "gzip") if timeout: self.c.setopt(self.c.TIMEOUT, timeout) if connect_timeout: self.c.setopt(self.c.CONNECTTIMEOUT, timeout) if max_connects: self.c.setopt(self.c.MAXCONNECTS, max_connects)
Example #10
Source File: pycurllib.py From BitTorrent with GNU General Public License v3.0 | 5 votes |
def __init__(self, url): self.c = pycurl.Curl() self.headers = {} self.c.setopt(self.c.URL, url) if use_cert_authority: self.c.setopt(pycurl.CAINFO, CA_PATH) self.c.setopt(pycurl.CAPATH, CA_PATH) #self.c.setopt(pycurl.CA_BUNDLE, CA_PATH) else: self.c.setopt(pycurl.SSL_VERIFYHOST, 0) self.c.setopt(pycurl.SSL_VERIFYPEER, 0) if http_bindaddr: self.c.setopt(self.c.INTERFACE, http_bindaddr) if user_agent: self.c.setopt(pycurl.USERAGENT, user_agent) if use_compression: if _pycurl_compression: # If a zero-length string is set, then an Accept-Encoding header # containing all supported encodings is sent. self.c.setopt(pycurl.ENCODING, "") # someday, gzip manually with GzipFile #else: # self.add_header("Accept-Encoding", "gzip") if timeout: self.c.setopt(self.c.TIMEOUT, timeout) if connect_timeout: self.c.setopt(self.c.CONNECTTIMEOUT, timeout) if max_connects: self.c.setopt(self.c.MAXCONNECTS, max_connects)
Example #11
Source File: CurlHelper.py From AdvancedDownloader with GNU General Public License v3.0 | 5 votes |
def _init_base_headers_curl(self): format_header = ["{}: {}".format(key, value) for key, value in self._headers.items()] format_cookie = "; ".join(["{}={}".format(key, value) for key, value in self._cookies.items()]) self._curl = pycurl.Curl() self._curl.setopt(pycurl.URL, self._link) self._curl.setopt(pycurl.CONNECTTIMEOUT, 10) self._curl.setopt(pycurl.TIMEOUT, 30) self._curl.setopt(pycurl.HTTPHEADER, format_header) self._curl.setopt(pycurl.COOKIE, format_cookie) self._curl.setopt(pycurl.CAINFO, "cert/ca-cert.pem")
Example #12
Source File: fetch.py From gbdxtools with MIT License | 4 votes |
def load_url(url, token, shape=(8, 256, 256)): """ Loads a geotiff url inside a thread and returns as an ndarray """ _, ext = os.path.splitext(urlparse(url).path) success = False for i in xrange(MAX_RETRIES): thread_id = threading.current_thread().ident _curl = _curl_pool[thread_id] _curl.setopt(_curl.URL, url) _curl.setopt(pycurl.NOSIGNAL, 1) # for Windows local certificate errors _curl.setopt(pycurl.CAINFO, certifi.where()) _curl.setopt(pycurl.HTTPHEADER, ['Authorization: Bearer {}'.format(token)]) with NamedTemporaryFile(prefix="gbdxtools", suffix=ext, delete=False) as temp: # TODO: apply correct file extension _curl.setopt(_curl.WRITEDATA, temp.file) _curl.perform() code = _curl.getinfo(pycurl.HTTP_CODE) content_type = _curl.getinfo(pycurl.CONTENT_TYPE) try: if(code != 200): raise TypeError("Request for {} returned unexpected error code: {}".format(url, code)) temp.file.flush() temp.close() if content_type == 'image/tiff': arr = tifffile.imread(temp.name) else: arr = imageio.imread(temp.name) if len(arr.shape) == 3: arr = np.rollaxis(arr, 2, 0) else: arr = np.expand_dims(arr, axis=0) success = True return arr except Exception as e: _curl.close() del _curl_pool[thread_id] sleep(2**i) finally: temp.close() os.remove(temp.name) if success is False: raise TypeError("Unable to download tile {} in {} retries. \n\n Last fetch error: {}".format(url, MAX_RETRIES, e)) return arr
Example #13
Source File: utils.py From marathon-lb with Apache License 2.0 | 4 votes |
def __init__(self, url, auth, verify): self.url = url self.received_buffer = BytesIO() headers = ['Cache-Control: no-cache', 'Accept: text/event-stream'] self.curl = pycurl.Curl() self.curl.setopt(pycurl.URL, url) self.curl.setopt(pycurl.ENCODING, 'gzip') self.curl.setopt(pycurl.CONNECTTIMEOUT, 10) self.curl.setopt(pycurl.WRITEDATA, self.received_buffer) # Marathon >= 1.7.x returns 30x responses for /v2/events responses # when they're coming from a non-leader. So we follow redirects. self.curl.setopt(pycurl.FOLLOWLOCATION, True) self.curl.setopt(pycurl.MAXREDIRS, 1) self.curl.setopt(pycurl.UNRESTRICTED_AUTH, True) # The below settings are to prevent the connection from hanging if the # connection breaks silently. Since marathon-lb only listens, silent # connection failure results in marathon-lb waiting infinitely. # # Minimum bytes/second below which it is considered "low speed". So # "low speed" here refers to 0 bytes/second. self.curl.setopt(pycurl.LOW_SPEED_LIMIT, 1) # How long (in seconds) it's allowed to go below the speed limit # before it times out self.curl.setopt(pycurl.LOW_SPEED_TIME, 300) if auth and type(auth) is DCOSAuth: auth.refresh_auth_header() headers.append('Authorization: %s' % auth.auth_header) elif auth: self.curl.setopt(pycurl.HTTPAUTH, pycurl.HTTPAUTH_BASIC) self.curl.setopt(pycurl.USERPWD, '%s:%s' % auth) if verify: self.curl.setopt(pycurl.CAINFO, verify) else: self.curl.setopt(pycurl.SSL_VERIFYHOST, 0) self.curl.setopt(pycurl.SSL_VERIFYPEER, 0) self.curl.setopt(pycurl.HTTPHEADER, headers) self.curlmulti = pycurl.CurlMulti() self.curlmulti.add_handle(self.curl) self.status_code = 0
Example #14
Source File: analyze_packages.py From pyCAF with GNU General Public License v3.0 | 4 votes |
def get_rh_sso(self): """ Function wich used login and password to connect at www.redhat.com and return the "rh_sso" proxy used for request authentication. """ self._logger.debug("RHEL rh_sso getting in progress...") username = self.config_server.redhat["login_username"] password = self.config_server.redhat["login_pass"] url = 'https://www.redhat.com/wapps/sso/login.html' values={'username':username,'password':password,'_flowId':'legacy-login-flow','redirect':'https://www.redhat.com/wapps/ugc/protected/account.html','failureRedirect':'http://www.redhat.com/wapps/sso/login.html'} data_post = urllib.urlencode(values) headers = Storage() c = pycurl.Curl() c.setopt(pycurl.URL, url) #============================================================================== # DEBUG comments in order to use the Burp Proxy software #============================================================================== #c.setopt(pycurl.PROXY, '127.0.0.1') #c.setopt(pycurl.PROXYPORT, 8080) #c.setopt(pycurl.SSL_VERIFYPEER, 1) #c.setopt(pycurl.SSL_VERIFYHOST, 2) #c.setopt(pycurl.CAINFO, "/home/thierry/Divers/Burp/cacert.crt") #============================================================================== c.setopt(pycurl.USERAGENT, "Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:30.0) Gecko/20100101 Firefox/30.0") c.setopt(pycurl.HTTPHEADER, ['Accept-Language: en-US,en;q=0.5', 'Connection: keep-alive', 'www.whitehouse.gov: 200']) c.setopt(pycurl.POST, 1) c.setopt(pycurl.POSTFIELDS, data_post) c.setopt(c.HEADERFUNCTION, headers.store) c.perform() c.close() headers = str(headers) expression = r"(?P<var1>.*)(?P<rh_sso>Set-Cookie: rh_sso=)(?P<sso_key>(?!\").*?)(?P<end>;)" header_lines = headers.split('\n') for head in header_lines: result_re = re.match(expression, head) if result_re is not None: sso_key = "rh_sso=" + str(result_re.group('sso_key')) self._logger.debug("rh_sso value : "+ str(sso_key)) return sso_key