Python cookielib.MozillaCookieJar() Examples
The following are 30
code examples of cookielib.MozillaCookieJar().
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
cookielib
, or try the search function
.
Example #1
Source File: test_cookielib.py From CTFCrackTools-V2 with GNU General Public License v3.0 | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #2
Source File: asf_template.py From esa_sentinel with MIT License | 6 votes |
def get_cookie(self): if os.path.isfile(self.cookie_jar_path): self.cookie_jar = MozillaCookieJar() self.cookie_jar.load(self.cookie_jar_path) # make sure cookie is still valid if self.check_cookie(): print(" > Re-using previous cookie jar.") return True else: print(" > Could not validate old cookie Jar") # We don't have a valid cookie, prompt user or creds print("No existing URS cookie found, please enter Earthdata username & password:") print("(Credentials will not be stored, saved or logged anywhere)") # Keep trying 'till user gets the right U:P while self.check_cookie() is False: self.get_new_cookie() return True # Validate cookie before we begin
Example #3
Source File: scholar.py From dblp with MIT License | 6 votes |
def __init__(self): self.articles = [] self.query = None self.cjar = MozillaCookieJar() # If we have a cookie file, load it: if ScholarConf.COOKIE_JAR_FILE and \ os.path.exists(ScholarConf.COOKIE_JAR_FILE): try: self.cjar.load(ScholarConf.COOKIE_JAR_FILE, ignore_discard=True) ScholarUtils.log('info', 'loaded cookies file') except Exception as msg: ScholarUtils.log('warn', 'could not load cookies file: %s' % msg) self.cjar = MozillaCookieJar() # Just to be safe self.opener = build_opener(HTTPCookieProcessor(self.cjar)) self.settings = None # Last settings object, if any
Example #4
Source File: test_cookielib.py From gcblue with BSD 3-Clause "New" or "Revised" License | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #5
Source File: LinkedInt.py From LinkedInt with GNU General Public License v3.0 | 6 votes |
def login(): cookie_filename = "cookies.txt" cookiejar = cookielib.MozillaCookieJar(cookie_filename) opener = urllib2.build_opener(urllib2.HTTPRedirectHandler(),urllib2.HTTPHandler(debuglevel=0),urllib2.HTTPSHandler(debuglevel=0),urllib2.HTTPCookieProcessor(cookiejar)) page = loadPage(opener, "https://www.linkedin.com/") parse = BeautifulSoup(page, "html.parser") csrf = parse.find(id="loginCsrfParam-login")['value'] login_data = urllib.urlencode({'session_key': username, 'session_password': password, 'loginCsrfParam': csrf}) page = loadPage(opener,"https://www.linkedin.com/uas/login-submit", login_data) parse = BeautifulSoup(page, "html.parser") cookie = "" try: cookie = cookiejar._cookies['.www.linkedin.com']['/']['li_at'].value except: sys.exit(0) cookiejar.save() os.remove(cookie_filename) return cookie
Example #6
Source File: cookies.py From bdbag with Apache License 2.0 | 6 votes |
def load_and_merge_cookie_jars(cookie_jar_paths): cookie_jar = RequestsCookieJar() if not cookie_jar_paths: return cookie_jar logging.debug("Attempting to load and merge the following cookie files: %s" % cookie_jar_paths) for f in cookie_jar_paths: if os.path.isfile(f): try: cookies = MozillaCookieJar(f) cookies.load(ignore_expires=True, ignore_discard=True) cookie_jar.update(cookies) except Exception as e: logging.warning("Unable to load cookie file [%s]: %s" % (f, get_typed_exception(e))) # Do not preserve expire values from cookies with expires=0 from the file, or requests will not use the cookie for cookie in iter(cookie_jar): if not cookie.expires: cookie.expires = None return cookie_jar
Example #7
Source File: test_cookielib.py From CTFCrackTools with GNU General Public License v3.0 | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #8
Source File: test_cookielib.py From oss-ftp with MIT License | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #9
Source File: test_cookielib.py From medicare-demo with Apache License 2.0 | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #10
Source File: test_cookielib.py From BinderFilter with MIT License | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #11
Source File: test_cookielib.py From ironpython2 with Apache License 2.0 | 6 votes |
def test_bad_magic(self): from cookielib import LWPCookieJar, MozillaCookieJar, LoadError # IOErrors (eg. file doesn't exist) are allowed to propagate filename = test_support.TESTFN for cookiejar_class in LWPCookieJar, MozillaCookieJar: c = cookiejar_class() try: c.load(filename="for this test to work, a file with this " "filename should not exist") except IOError, exc: # exactly IOError, not LoadError self.assertEqual(exc.__class__, IOError) else: self.fail("expected IOError for invalid filename") # Invalid contents of cookies file (eg. bad magic string) # causes a LoadError.
Example #12
Source File: openload.py From bugatsinho.github.io with GNU General Public License v3.0 | 6 votes |
def read_openload(url): default_headers = dict() default_headers[ "User-Agent"] = "Mozilla/5.0 AppleWebKit/537.36 (KHTML, like Gecko) Chrome/66.0.3163.100 Safari/537.36" default_headers["Accept"] = "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8" default_headers["Accept-Language"] = "es-ES,es;q=0.8,en-US;q=0.5,en;q=0.3" default_headers["Accept-Charset"] = "UTF-8" default_headers["Accept-Encoding"] = "gzip" cj = cookielib.MozillaCookieJar() request_headers = default_headers.copy() url = urllib.quote(url, safe="%/:=&?~#+!$,;'@()*[]") handlers = [urllib2.HTTPHandler(debuglevel=False)] handlers.append(NoRedirectHandler()) handlers.append(urllib2.HTTPCookieProcessor(cj)) opener = urllib2.build_opener(*handlers) req = urllib2.Request(url, None, request_headers) handle = opener.open(req, timeout=None) return handle.headers.dict.get('location')
Example #13
Source File: openload.py From bugatsinho.github.io with GNU General Public License v3.0 | 6 votes |
def read_openload(url): default_headers = dict() default_headers[ "User-Agent"] = "Mozilla/5.0 AppleWebKit/537.36 (KHTML, like Gecko) Chrome/66.0.3163.100 Safari/537.36" default_headers["Accept"] = "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8" default_headers["Accept-Language"] = "es-ES,es;q=0.8,en-US;q=0.5,en;q=0.3" default_headers["Accept-Charset"] = "UTF-8" default_headers["Accept-Encoding"] = "gzip" cj = cookielib.MozillaCookieJar() request_headers = default_headers.copy() url = urllib.quote(url, safe="%/:=&?~#+!$,;'@()*[]") handlers = [urllib2.HTTPHandler(debuglevel=False)] handlers.append(NoRedirectHandler()) handlers.append(urllib2.HTTPCookieProcessor(cj)) opener = urllib2.build_opener(*handlers) req = urllib2.Request(url, None, request_headers) handle = opener.open(req, timeout=None) return handle.headers.dict.get('location')
Example #14
Source File: openload.py From bugatsinho.github.io with GNU General Public License v3.0 | 6 votes |
def read_openload(url): default_headers = dict() default_headers[ "User-Agent"] = "Mozilla/5.0 AppleWebKit/537.36 (KHTML, like Gecko) Chrome/66.0.3163.100 Safari/537.36" default_headers["Accept"] = "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8" default_headers["Accept-Language"] = "es-ES,es;q=0.8,en-US;q=0.5,en;q=0.3" default_headers["Accept-Charset"] = "UTF-8" default_headers["Accept-Encoding"] = "gzip" cj = cookielib.MozillaCookieJar() request_headers = default_headers.copy() url = urllib.quote(url, safe="%/:=&?~#+!$,;'@()*[]") handlers = [urllib2.HTTPHandler(debuglevel=False)] handlers.append(NoRedirectHandler()) handlers.append(urllib2.HTTPCookieProcessor(cj)) opener = urllib2.build_opener(*handlers) req = urllib2.Request(url, None, request_headers) handle = opener.open(req, timeout=None) return handle.headers.dict.get('location')
Example #15
Source File: test_cookielib.py From medicare-demo with Apache License 2.0 | 5 votes |
def test_missing_value(self): from cookielib import MozillaCookieJar, lwp_cookie_str # missing = sign in Cookie: header is regarded by Mozilla as a missing # name, and by cookielib as a missing value filename = test_support.TESTFN c = MozillaCookieJar(filename) interact_netscape(c, "http://www.acme.com/", 'eggs') interact_netscape(c, "http://www.acme.com/", '"spam"; path=/foo/') cookie = c._cookies["www.acme.com"]["/"]["eggs"] self.assert_(cookie.value is None) self.assertEquals(cookie.name, "eggs") cookie = c._cookies["www.acme.com"]['/foo/']['"spam"'] self.assert_(cookie.value is None) self.assertEquals(cookie.name, '"spam"') self.assertEquals(lwp_cookie_str(cookie), ( r'"spam"; path="/foo/"; domain="www.acme.com"; ' 'path_spec; discard; version=0')) old_str = repr(c) c.save(ignore_expires=True, ignore_discard=True) try: c = MozillaCookieJar(filename) c.revert(ignore_expires=True, ignore_discard=True) finally: os.unlink(c.filename) # cookies unchanged apart from lost info re. whether path was specified self.assertEquals( repr(c), re.sub("path_specified=%s" % True, "path_specified=%s" % False, old_str) ) self.assertEquals(interact_netscape(c, "http://www.acme.com/foo/"), '"spam"; eggs')
Example #16
Source File: test_cookielib.py From CTFCrackTools-V2 with GNU General Public License v3.0 | 5 votes |
def test_missing_value(self): from cookielib import MozillaCookieJar, lwp_cookie_str # missing = sign in Cookie: header is regarded by Mozilla as a missing # name, and by cookielib as a missing value filename = test_support.TESTFN c = MozillaCookieJar(filename) interact_netscape(c, "http://www.acme.com/", 'eggs') interact_netscape(c, "http://www.acme.com/", '"spam"; path=/foo/') cookie = c._cookies["www.acme.com"]["/"]["eggs"] self.assertTrue(cookie.value is None) self.assertEqual(cookie.name, "eggs") cookie = c._cookies["www.acme.com"]['/foo/']['"spam"'] self.assertTrue(cookie.value is None) self.assertEqual(cookie.name, '"spam"') self.assertEqual(lwp_cookie_str(cookie), ( r'"spam"; path="/foo/"; domain="www.acme.com"; ' 'path_spec; discard; version=0')) old_str = repr(c) c.save(ignore_expires=True, ignore_discard=True) try: c = MozillaCookieJar(filename) c.revert(ignore_expires=True, ignore_discard=True) finally: os.unlink(c.filename) # cookies unchanged apart from lost info re. whether path was specified self.assertEqual( repr(c), re.sub("path_specified=%s" % True, "path_specified=%s" % False, old_str) ) self.assertEqual(interact_netscape(c, "http://www.acme.com/foo/"), '"spam"; eggs')
Example #17
Source File: _api.py From youtube-transcript-api with MIT License | 5 votes |
def _load_cookies(cls, cookies, video_id): cookie_jar = {} try: cookie_jar = cookiejar.MozillaCookieJar() cookie_jar.load(cookies) except CookieLoadError: raise CookiePathInvalid(video_id) if not cookie_jar: raise CookiesInvalid(video_id) return cookie_jar
Example #18
Source File: mrknow_pCommon.py From filmkodi with Apache License 2.0 | 5 votes |
def getCookieItem(self, cookiefile, item): ret = '' cj = cookielib.MozillaCookieJar() cj.load(cookiefile, ignore_discard = True) for cookie in cj: if cookie.name == item: ret = cookie.value return ret #item = {'name': 'xxx', 'value': 'yyy', 'domain': 'zzz'}
Example #19
Source File: api.py From 115wangpan with BSD 2-Clause "Simplified" License | 5 votes |
def __init__(self, persistent=False, cookies_filename=None, cookies_type='LWPCookieJar'): """ :param bool auto_logout: whether to logout automatically when :class:`.API` object is destroyed .. deprecated:: 0.6.0 Call :meth:`.API.logout` explicitly :param bool persistent: whether to use persistent session that stores cookies on disk :param str cookies_filename: path to the cookies file, use default path (`~/.115cookies`) if None :param str cookies_type: a string representing :class:`cookielib.FileCookieJar` subclass, `LWPCookieJar` (default) or `MozillaCookieJar` """ self.persistent = persistent self.cookies_filename = cookies_filename self.cookies_type = cookies_type self.passport = None self.http = RequestHandler() self.logger = logging.getLogger(conf.LOGGING_API_LOGGER) # Cache attributes to decrease API hits self._user_id = None self._username = None self._signatures = {} self._upload_url = None self._lixian_timestamp = None self._root_directory = None self._downloads_directory = None self._receiver_directory = None self._torrents_directory = None self._task_count = None self._task_quota = None if self.persistent: self.load_cookies()
Example #20
Source File: mrknow_pCommon.py From filmkodi with Apache License 2.0 | 5 votes |
def getCookieItem(self, cookiefile, item): ret = '' cj = cookielib.MozillaCookieJar() cj.load(cookiefile, ignore_discard = True) for cookie in cj: if cookie.name == item: ret = cookie.value return ret
Example #21
Source File: default.py From ru with GNU General Public License v2.0 | 5 votes |
def GET(target, post=None, method='post', headersl=None): target=target.replace('//page','/page') #print target try: cookiejar = cookielib.MozillaCookieJar() if Addon.getSetting('antizapret') == 'true': import antizapret urlOpener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cookiejar),antizapret.AntizapretProxyHandler()) else: urlOpener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cookiejar)) urllib2.install_opener(urlOpener) headers_ = headersl if headers_ == None: if method == 'post': headers_ = headers else: headers_ = headers2 if method == 'post': request = urllib2.Request(url = target, data = post, headers = headers_) else: request = urllib2.Request(url = target, data = post, headers = headers_) request.get_method = lambda: 'GET' url = urlOpener.open(request) http=url.read() return http except Exception, e: xbmc.log( '[%s]: GET EXCEPT [%s]' % (addon_id, e), 4 ) showMessage('HTTP ERROR', e, 5000)
Example #22
Source File: test_cookielib.py From gcblue with BSD 3-Clause "New" or "Revised" License | 5 votes |
def test_missing_value(self): from cookielib import MozillaCookieJar, lwp_cookie_str # missing = sign in Cookie: header is regarded by Mozilla as a missing # name, and by cookielib as a missing value filename = test_support.TESTFN c = MozillaCookieJar(filename) interact_netscape(c, "http://www.acme.com/", 'eggs') interact_netscape(c, "http://www.acme.com/", '"spam"; path=/foo/') cookie = c._cookies["www.acme.com"]["/"]["eggs"] self.assertIsNone(cookie.value) self.assertEqual(cookie.name, "eggs") cookie = c._cookies["www.acme.com"]['/foo/']['"spam"'] self.assertIsNone(cookie.value) self.assertEqual(cookie.name, '"spam"') self.assertEqual(lwp_cookie_str(cookie), ( r'"spam"; path="/foo/"; domain="www.acme.com"; ' 'path_spec; discard; version=0')) old_str = repr(c) c.save(ignore_expires=True, ignore_discard=True) try: c = MozillaCookieJar(filename) c.revert(ignore_expires=True, ignore_discard=True) finally: os.unlink(c.filename) # cookies unchanged apart from lost info re. whether path was specified self.assertEqual( repr(c), re.sub("path_specified=%s" % True, "path_specified=%s" % False, old_str) ) self.assertEqual(interact_netscape(c, "http://www.acme.com/foo/"), '"spam"; eggs')
Example #23
Source File: default.py From xbmc-addons-chinese with GNU General Public License v2.0 | 5 votes |
def getHttpData(url): if url[:2] == '//': url = 'http:' + url print "getHttpData: " + url # setup proxy support proxy = __addon__.getSetting('http_proxy') type = 'http' if proxy <> '': ptype = re.split(':', proxy) if len(ptype)<3: # full path requires by Python 2.4 proxy = type + '://' + proxy else: type = ptype[0] httpProxy = {type: proxy} else: httpProxy = {} proxy_support = urllib2.ProxyHandler(httpProxy) # setup cookie support cj = cookielib.MozillaCookieJar(cookieFile) if os.path.isfile(cookieFile): cj.load(ignore_discard=True, ignore_expires=True) else: if not os.path.isdir(os.path.dirname(cookieFile)): os.makedirs(os.path.dirname(cookieFile)) # create opener for both proxy and cookie opener = urllib2.build_opener(proxy_support, urllib2.HTTPCookieProcessor(cj)) charset='' req = urllib2.Request(url) req.add_header('User-Agent', UserAgent) try: response = opener.open(req) except urllib2.HTTPError, e: httpdata = e.read()
Example #24
Source File: option.py From NoobSec-Toolkit with GNU General Public License v2.0 | 5 votes |
def _urllib2Opener(): """ This function creates the urllib2 OpenerDirector. """ debugMsg = "creating HTTP requests opener object" logger.debug(debugMsg) handlers = [proxyHandler, authHandler, redirectHandler, rangeHandler, httpsHandler] if not conf.dropSetCookie: if not conf.loadCookies: conf.cj = cookielib.CookieJar() else: conf.cj = cookielib.MozillaCookieJar() resetCookieJar(conf.cj) handlers.append(urllib2.HTTPCookieProcessor(conf.cj)) # Reference: http://www.w3.org/Protocols/rfc2616/rfc2616-sec8.html if conf.keepAlive: warnMsg = "persistent HTTP(s) connections, Keep-Alive, has " warnMsg += "been disabled because of its incompatibility " if conf.proxy: warnMsg += "with HTTP(s) proxy" logger.warn(warnMsg) elif conf.authType: warnMsg += "with authentication methods" logger.warn(warnMsg) else: handlers.append(keepAliveHandler) opener = urllib2.build_opener(*handlers) urllib2.install_opener(opener)
Example #25
Source File: default.py From xbmc-addons-chinese with GNU General Public License v2.0 | 5 votes |
def getHttpData(url, binary = False, mCheck = False): print "getHttpData: " + url # setup proxy support proxy = __addon__.getSetting('http_proxy') type = 'http' if proxy <> '': ptype = re.split(':', proxy) if len(ptype) < 3: # full path requires by Python 2.4 proxy = type + '://' + proxy else: type = ptype[0] httpProxy = {type: proxy} else: httpProxy = {} proxy_support = urllib2.ProxyHandler(httpProxy) # setup cookie support cj = cookielib.MozillaCookieJar(cookieFile) if os.path.isfile(cookieFile): cj.load(ignore_discard=True, ignore_expires=True) else: if not os.path.isdir(os.path.dirname(cookieFile)): os.makedirs(os.path.dirname(cookieFile)) # create opener for both proxy and cookie opener = urllib2.build_opener(proxy_support, urllib2.HTTPCookieProcessor(cj)) req = urllib2.Request(url) req.add_header('User-Agent', UserAgent) # req.add_header('cookie', 'PHPSESSID=ruebtvftj69ervhpt24n1b86i3') for k in range(3): # give 3 trails to fetch url data if (mCheck and pDialog.iscanceled()): # exit if cancelled by user return None try: response = opener.open(req) except urllib2.HTTPError, e: httpdata = e.read() except urllib2.URLError, e: httpdata = "IO Timeout Error"
Example #26
Source File: default.py From xbmc-addons-chinese with GNU General Public License v2.0 | 5 votes |
def getHttpData(url): print "getHttpData: " + url # setup proxy support proxy = __addon__.getSetting('http_proxy') type = 'http' if proxy <> '': ptype = re.split(':', proxy) if len(ptype)<3: # full path requires by Python 2.4 proxy = type + '://' + proxy else: type = ptype[0] httpProxy = {type: proxy} else: httpProxy = {} proxy_support = urllib2.ProxyHandler(httpProxy) # setup cookie support cj = cookielib.MozillaCookieJar(cookieFile) if os.path.isfile(cookieFile): cj.load(ignore_discard=False, ignore_expires=False) else: if not os.path.isdir(os.path.dirname(cookieFile)): os.makedirs(os.path.dirname(cookieFile)) # create opener for both proxy and cookie opener = urllib2.build_opener(proxy_support, urllib2.HTTPCookieProcessor(cj)) charset='' req = urllib2.Request(url) req.add_header('User-Agent', UserAgent) try: response = opener.open(req) #response = urllib2.urlopen(req) except urllib2.HTTPError, e: httpdata = e.read()
Example #27
Source File: upload.py From training_results_v0.5 with Apache License 2.0 | 5 votes |
def _GetOpener(self): """Returns an OpenerDirector that supports cookies and ignores redirects. Returns: A urllib2.OpenerDirector object. """ opener = urllib2.OpenerDirector() opener.add_handler(urllib2.ProxyHandler()) opener.add_handler(urllib2.UnknownHandler()) opener.add_handler(urllib2.HTTPHandler()) opener.add_handler(urllib2.HTTPDefaultErrorHandler()) opener.add_handler(urllib2.HTTPSHandler()) opener.add_handler(urllib2.HTTPErrorProcessor()) if self.save_cookies: self.cookie_file = os.path.expanduser("~/.codereview_upload_cookies") self.cookie_jar = cookielib.MozillaCookieJar(self.cookie_file) if os.path.exists(self.cookie_file): try: self.cookie_jar.load() self.authenticated = True StatusUpdate("Loaded authentication cookies from %s" % self.cookie_file) except (cookielib.LoadError, IOError): # Failed to load cookies - just ignore them. pass else: # Create an empty cookie file with mode 600 fd = os.open(self.cookie_file, os.O_CREAT, 0600) os.close(fd) # Always chmod the cookie file os.chmod(self.cookie_file, 0600) else: # Don't save cookies across runs of update.py. self.cookie_jar = cookielib.CookieJar() opener.add_handler(urllib2.HTTPCookieProcessor(self.cookie_jar)) return opener
Example #28
Source File: Youdao-Anki.py From Anki-Youdao with MIT License | 5 votes |
def loadCookies(self): if os.path.exists('youdaoCookies'): self.window.debug.appendPlainText('625: Cookie exists!') MozillaCookieJar = cookielib.MozillaCookieJar() MozillaCookieJar.load('youdaoCookies', ignore_discard=True) return MozillaCookieJar else: return False
Example #29
Source File: test_cookielib.py From ironpython2 with Apache License 2.0 | 5 votes |
def test_missing_value(self): from cookielib import MozillaCookieJar, lwp_cookie_str # missing = sign in Cookie: header is regarded by Mozilla as a missing # name, and by cookielib as a missing value filename = test_support.TESTFN c = MozillaCookieJar(filename) interact_netscape(c, "http://www.acme.com/", 'eggs') interact_netscape(c, "http://www.acme.com/", '"spam"; path=/foo/') cookie = c._cookies["www.acme.com"]["/"]["eggs"] self.assertIsNone(cookie.value) self.assertEqual(cookie.name, "eggs") cookie = c._cookies["www.acme.com"]['/foo/']['"spam"'] self.assertIsNone(cookie.value) self.assertEqual(cookie.name, '"spam"') self.assertEqual(lwp_cookie_str(cookie), ( r'"spam"; path="/foo/"; domain="www.acme.com"; ' 'path_spec; discard; version=0')) old_str = repr(c) c.save(ignore_expires=True, ignore_discard=True) try: c = MozillaCookieJar(filename) c.revert(ignore_expires=True, ignore_discard=True) finally: os.unlink(c.filename) # cookies unchanged apart from lost info re. whether path was specified self.assertEqual( repr(c), re.sub("path_specified=%s" % True, "path_specified=%s" % False, old_str) ) self.assertEqual(interact_netscape(c, "http://www.acme.com/foo/"), '"spam"; eggs')
Example #30
Source File: Youdao-Anki.py From Anki-Youdao with MIT License | 5 votes |
def saveCookies(self, cookiejar): MozillaCookieJar = cookielib.MozillaCookieJar() for c in cookiejar: args = dict(vars(c).items()) args['rest'] = args['_rest'] del args['_rest'] c = cookielib.Cookie(**args) MozillaCookieJar.set_cookie(c) MozillaCookieJar.save('youdaoCookies', ignore_discard=True)