Python pickle.UnpicklingError() Examples
The following are 30
code examples of pickle.UnpicklingError().
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
pickle
, or try the search function
.
Example #1
Source File: dictionaryfeatures.py From SEM with MIT License | 7 votes |
def __init__(self, getter=DEFAULT_GETTER, *args, **kwargs): super(TokenDictionaryFeature, self).__init__(getter=getter, *args, **kwargs) self._is_boolean = True if self._path is not None: try: self._value = pickle.load(open(self._path)) except (pickle.UnpicklingError, ImportError, EOFError, IndexError, TypeError): self._value = compile_token(self._path, "utf-8") self._entries = None elif self._entries is not None: self._value = set() for entry in self._entries: entry = entry.strip() if entry: self._value.add(entry) assert self._value is not None
Example #2
Source File: audit.py From bob with GNU General Public License v3.0 | 6 votes |
def fromFile(cls, file): try: cacheName = file + ".pickle" cacheKey = binStat(file) + BOB_INPUT_HASH with open(cacheName, "rb") as f: persistedCacheKey = f.read(len(cacheKey)) if cacheKey == persistedCacheKey: return pickle.load(f) except (EOFError, OSError, pickle.UnpicklingError) as e: pass audit = cls() try: with gzip.open(file, 'rb') as gzf: audit.load(gzf, file) with open(cacheName, "wb") as f: f.write(cacheKey) pickle.dump(audit, f, -1) except OSError as e: raise ParseError("Error loading audit: " + str(e)) return audit
Example #3
Source File: common.py From angr with BSD 2-Clause "Simplified" License | 6 votes |
def do_trace(proj, test_name, input_data, **kwargs): """ trace, magic, crash_mode, crash_addr = load_cached_trace(proj, "test_blurble") """ fname = os.path.join(bin_location, 'tests_data', 'runner_traces', '%s_%s_%s.p' % (test_name, os.path.basename(proj.filename), proj.arch.name)) if os.path.isfile(fname): try: with open(fname, 'rb') as f: r = pickle.load(f) if type(r) is tuple and len(r) == 2 and r[1] == TRACE_VERSION: return r[0] except (pickle.UnpicklingError, UnicodeDecodeError): print("Can't unpickle trace - rerunning") if tracer is None: raise Exception("Tracer is not installed and cached data is not present - cannot run test") runner = tracer.QEMURunner(project=proj, input=input_data, **kwargs) r = (runner.trace, runner.magic, runner.crash_mode, runner.crash_addr) with open(fname, 'wb') as f: pickle.dump((r, TRACE_VERSION), f, -1) return r
Example #4
Source File: analysis_utils.py From memory-analyzer with MIT License | 6 votes |
def unpickle_pipe(self, fifo): frontend_utils.echo_info("Gathering data...") try: items = pickle.load(fifo) if items: if isinstance(items, Exception): raise items return items except EOFError: return except pickle.UnpicklingError as e: frontend_utils.echo_error(f"Error retrieving data from process: {e}") raise except Exception as e: frontend_utils.echo_error( f"{type(e).__name__} occurred during analysis: {e}" ) raise
Example #5
Source File: locationsharinglib.py From locationsharinglib with MIT License | 6 votes |
def _get_authenticated_session(self, cookies_file): session = Session() try: cfile = open(cookies_file, 'rb') except FileNotFoundError: message = 'Could not open cookies file, either file does not exist or no read access.' raise InvalidCookies(message) try: session.cookies.update(pickle.load(cfile)) self._logger.debug('Successfully loaded pickled cookie!') warnings.warn('Pickled cookie format is going to be deprecated in a future version, ' 'please start using a text base cookie file!') except (pickle.UnpicklingError, KeyError, AttributeError, EOFError, ValueError): self._logger.debug('Trying to load text based cookies.') session = self._load_text_cookies(session, cfile) cfile.close() return session
Example #6
Source File: splicing.py From kipoiseq with MIT License | 6 votes |
def __init__(self, gtf_file, fasta_file, intron5prime_len=100, intron3prime_len=100, transform=None, **kwargs): try: with open(gtf_file, 'rb') as f: self.exons = pickle.load(f) except (FileNotFoundError, pickle.UnpicklingError, ModuleNotFoundError): self.exons = generate_exons(gtf_file=gtf_file, overhang=(intron5prime_len, intron3prime_len), **kwargs) import six if isinstance(fasta_file, six.string_types): fasta = Fasta(fasta_file, as_raw=False) self.fasta = fasta self.transform = transform
Example #7
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 6 votes |
def test_badly_quoted_string(self): # Issue #17710 badpickles = [b"S'\n.", b'S"\n.', b'S\' \n.', b'S" \n.', b'S\'"\n.', b'S"\'\n.', b"S' ' \n.", b'S" " \n.', b"S ''\n.", b'S ""\n.', b'S \n.', b'S\n.', b'S.'] for p in badpickles: self.check_unpickling_error(pickle.UnpicklingError, p)
Example #8
Source File: file_operations.py From cltk with MIT License | 6 votes |
def open_pickle(path: str): """Open a pickle and return loaded pickle object. :type path: str :param : path: File path to pickle file to be opened. :rtype : object """ try: with open(path, 'rb') as opened_pickle: try: return pickle.load(opened_pickle) except Exception as pickle_error: logger.error(pickle_error) raise except FileNotFoundError as fnf_error: logger.error(fnf_error) raise except IOError as io_err: logger.error(io_err) raise except EOFError as eof_error: logger.error(eof_error) raise except pickle.UnpicklingError as unp_error: logger.error(unp_error) raise
Example #9
Source File: recipe-577638.py From code with MIT License | 6 votes |
def get_settings(self): # Try opening and loading the settings from file. filename = os.path.join(self.__path, self.FILENAME) try: with open(filename, 'rb') as file: settings = pickle.load(file) # Test the pickle and check each setting inside it. assert isinstance(settings, dict) key_list = list(self.DEFAULT) for key in settings: assert isinstance(key, str) assert key in self.DEFAULT key_list.remove(key) # Add new settings as needed (when new ones are created). for key in key_list: settings[key] = self.DEFAULT[key] # Return old settings, or on error, the default settings. return False, settings except (IOError, pickle.UnpicklingError, AssertionError): return True, self.DEFAULT
Example #10
Source File: storage.py From kodiswift with GNU General Public License v3.0 | 6 votes |
def load(self): """Load the file from disk. Returns: bool: True if successfully loaded, False if the file doesn't exist. Raises: UnknownFormat: When the file exists but couldn't be loaded. """ if not self._loaded and os.path.exists(self.file_path): with open(self.file_path, 'rb') as f: for loader in (pickle.load, json.load): try: f.seek(0) self._store = loader(f) self._loaded = True break except pickle.UnpicklingError: pass # If the file exists and wasn't able to be loaded, raise an error. if not self._loaded: raise UnknownFormat('Failed to load file') return self._loaded
Example #11
Source File: sconsign.py From arnold-usd with Apache License 2.0 | 6 votes |
def Do_SConsignDir(name): try: fp = open(name, 'rb') except (IOError, OSError) as e: sys.stderr.write("sconsign: %s\n" % e) return try: sconsign = SCons.SConsign.Dir(fp) except KeyboardInterrupt: raise except pickle.UnpicklingError: err = "sconsign: ignoring invalid .sconsign file `%s'\n" % (name) sys.stderr.write(err) return except Exception as e: err = "sconsign: ignoring invalid .sconsign file `%s': %s\n" % (name, e) sys.stderr.write(err) return printentries(sconsign.entries, args[0]) ##############################################################################
Example #12
Source File: _backend.py From uarray with BSD 3-Clause "New" or "Revised" License | 6 votes |
def pickle_function(func): mod_name = getattr(func, "__module__", None) qname = getattr(func, "__qualname__", None) self_ = getattr(func, "__self__", None) try: test = unpickle_function(mod_name, qname, self_) except pickle.UnpicklingError: test = None if test is not func: raise pickle.PicklingError( "Can't pickle {}: it's not the same object as {}".format(func, test) ) return unpickle_function, (mod_name, qname, self_)
Example #13
Source File: test_examples.py From python-sasctl with Apache License 2.0 | 6 votes |
def test_direct_rest_calls(session, change_dir): """Ensure the direct_REST_calls.py example executes successfully.""" from pickle import UnpicklingError # Mock up Session() to return the Betamax-recorded session def Session(*args, **kwargs): return session change_dir('examples') with open('direct_REST_calls.py') as f: # Remove import of Session to ensure mock function will be used # instead. code = f.read().replace('from sasctl import get, get_link, request_link, Session', 'from sasctl import get, get_link, request_link') try: six.exec_(code) except (UnpicklingError, KeyError) as e: if "'\xef'" in str(e): # Betamax recording adds additional bytes to the content which # breaks unpickling. Ignore when this happens as correct # handling of binary contents should be validated in integration # tests pass
Example #14
Source File: test_files.py From python-sasctl with Apache License 2.0 | 6 votes |
def test_get_file_content(self, dummy_file): with open(dummy_file, 'r') as f: target = f.read() # Should return binary pickle of text file contents content = files.get_file_content(self.filename) # Betamax recording seems to add 4 extra bytes to the beginning? # Doesn't occur during real requests. try: result = pickle.loads(content) except (KeyError, pickle.UnpicklingError): result = pickle.loads(content[4:]) assert target == result
Example #15
Source File: __init__.py From python-compat-runtime with Apache License 2.0 | 6 votes |
def _GetValueAndType(self, key): """Fetch value from memcache and detect its type. Args: key: String Returns: (value, type), value is a Python object or None if the key was not set in the cache, type is a string describing the type of the value. """ try: value = memcache.get(key) except (pickle.UnpicklingError, AttributeError, EOFError, ImportError, IndexError), e: msg = 'Failed to retrieve value from cache: %s' % e return msg, 'error'
Example #16
Source File: _backend.py From uarray with BSD 3-Clause "New" or "Revised" License | 6 votes |
def unpickle_function(mod_name, qname, self_): import importlib try: module = importlib.import_module(mod_name) qname = qname.split(".") func = module for q in qname: func = getattr(func, q) if self_ is not None: func = types.MethodType(func, self_) return func except (ImportError, AttributeError) as e: from pickle import UnpicklingError raise UnpicklingError from e
Example #17
Source File: deadlock_results.py From loky with BSD 3-Clause "New" or "Revised" License | 5 votes |
def __reduce__(self): return raise_error, (UnpicklingError, )
Example #18
Source File: test_reusable_executor.py From loky with BSD 3-Clause "New" or "Revised" License | 5 votes |
def raise_error(etype=UnpicklingError, message=None): """Function that raises an Exception in process""" raise etype(message)
Example #19
Source File: jobs.py From faceswap with GNU General Public License v3.0 | 5 votes |
def get_dfl_alignment(filename): """ Process the alignment of one face """ ext = os.path.splitext(filename)[1] if ext.lower() in (".jpg", ".jpeg"): img = Image.open(filename) try: dfl_alignments = pickle.loads(img.app["APP15"]) dfl_alignments["source_rect"] = [n.item() # comes as non-JSONable np.int32 for n in dfl_alignments["source_rect"]] return dfl_alignments except pickle.UnpicklingError: return None with open(filename, "rb") as dfl: header = dfl.read(8) if header != b"\x89PNG\r\n\x1a\n": logger.error("No Valid PNG header: %s", filename) return None while True: chunk_start = dfl.tell() chunk_hdr = dfl.read(8) if not chunk_hdr: break chunk_length, chunk_name = struct.unpack("!I4s", chunk_hdr) dfl.seek(chunk_start, os.SEEK_SET) if chunk_name == b"fcWp": chunk = dfl.read(chunk_length + 12) retval = pickle.loads(chunk[8:-4]) logger.trace("Loaded DFL Alignment: (filename: '%s', alignment: %s", filename, retval) return retval dfl.seek(chunk_length+12, os.SEEK_CUR) logger.error("Couldn't find DFL alignments: %s", filename)
Example #20
Source File: database_module.py From BlenderAndMBDyn with GNU General Public License v3.0 | 5 votes |
def find_class(self, module, name): if module.startswith("BlenderAndMBDyn"): module = ".".join((__package__, module.split(".", 1)[1])) elif module == "builtins" and name in ("exec", "eval"): raise pickle.UnpicklingError("global " + ".".join((module, name)) + " is forbidden") return super().find_class(module, name)
Example #21
Source File: utils.py From BentoML with Apache License 2.0 | 5 votes |
def split_responses(cls, raw: bytes) -> Iterable[SimpleResponse]: try: return pickle.loads(raw) except pickle.UnpicklingError: raise ValueError( f"Batching result unpacking error: \n {raw[:1000]}" ) from None
Example #22
Source File: test_cPickle.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_load_negative(self): if cPickle.__name__ == "_pickle": # pickle vs. cPickle report different exceptions, even on Cpy filename = os.tempnam() for temp in ['\x02', "No"]: self.write_to_file(filename, content=temp) f = open(filename) self.assertRaises(cPickle.UnpicklingError, cPickle.load, f) f.close()
Example #23
Source File: rpc.py From ironpython3 with Apache License 2.0 | 5 votes |
def pollmessage(self, wait): packet = self.pollpacket(wait) if packet is None: return None try: message = pickle.loads(packet) except pickle.UnpicklingError: print("-----------------------", file=sys.__stderr__) print("cannot unpickle packet:", repr(packet), file=sys.__stderr__) traceback.print_stack(file=sys.__stderr__) print("-----------------------", file=sys.__stderr__) raise return message
Example #24
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_bad_init(self): # Test issue3664 (pickle can segfault from a badly initialized Pickler). # Override initialization without calling __init__() of the superclass. class BadPickler(pickle.Pickler): def __init__(self): pass class BadUnpickler(pickle.Unpickler): def __init__(self): pass self.assertRaises(pickle.PicklingError, BadPickler().dump, 0) self.assertRaises(pickle.UnpicklingError, BadUnpickler().load)
Example #25
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_large_32b_binunicode8(self): dumped = b'\x80\x04\x8d\4\0\0\0\1\0\0\0\xe2\x82\xac\x00.' self.check_unpickling_error((pickle.UnpicklingError, OverflowError), dumped)
Example #26
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_large_32b_binbytes8(self): dumped = b'\x80\x04\x8e\4\0\0\0\1\0\0\0\xe2\x82\xac\x00.' self.check_unpickling_error((pickle.UnpicklingError, OverflowError), dumped)
Example #27
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_negative_32b_binunicode(self): # On 32-bit builds, a BINUNICODE of 2**31 or more is refused dumped = b'\x80\x03X\xff\xff\xff\xffxyzq\x00.' self.check_unpickling_error((pickle.UnpicklingError, OverflowError), dumped)
Example #28
Source File: pickletester.py From ironpython3 with Apache License 2.0 | 5 votes |
def test_negative_32b_binbytes(self): # On 32-bit builds, a BINBYTES of 2**31 or more is refused dumped = b'\x80\x03B\xff\xff\xff\xffxyzq\x00.' self.check_unpickling_error((pickle.UnpicklingError, OverflowError), dumped)
Example #29
Source File: redis.py From lexpredict-contraxsuite with GNU Affero General Public License v3.0 | 5 votes |
def unpickle(value): """ Safely unpickle value """ try: return pickle.loads(value) except pickle.UnpicklingError: return value
Example #30
Source File: pickle.py From PySyncObj with MIT License | 5 votes |
def _load_binstring(self): len, = unpack('<i', self.read(4)) if len < 0: raise pickle.UnpicklingError("BINSTRING pickle has negative byte count") data = self.read(len) try: data = str(data, self.encoding, self.errors) except: pass self.append(data)