本文整理汇总了Python中pickle.dump方法的典型用法代码示例。如果您正苦于以下问题:Python pickle.dump方法的具体用法?Python pickle.dump怎么用?Python pickle.dump使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类pickle
的用法示例。
在下文中一共展示了pickle.dump方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: saveState
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def saveState(dataHub):
import pickle as pickle
import gzip
pickle.dump(dataHub, gzip.open(dataHub.args.save_state, "wb"))
logging.warn("^"*20 + " saving state to pickle and exiting " + "^"*20)
示例2: register
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def register(self, name, serializer):
"""Register ``serializer`` object under ``name``.
Raises :class:`AttributeError` if ``serializer`` in invalid.
.. note::
``name`` will be used as the file extension of the saved files.
:param name: Name to register ``serializer`` under
:type name: ``unicode`` or ``str``
:param serializer: object with ``load()`` and ``dump()``
methods
"""
# Basic validation
getattr(serializer, 'load')
getattr(serializer, 'dump')
self._serializers[name] = serializer
示例3: cache_data
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def cache_data(self, name, data):
"""Save ``data`` to cache under ``name``.
If ``data`` is ``None``, the corresponding cache file will be
deleted.
:param name: name of datastore
:param data: data to store. This may be any object supported by
the cache serializer
"""
serializer = manager.serializer(self.cache_serializer)
cache_path = self.cachefile('%s.%s' % (name, self.cache_serializer))
if data is None:
if os.path.exists(cache_path):
os.unlink(cache_path)
self.logger.debug('deleted cache file: %s', cache_path)
return
with atomic_writer(cache_path, 'wb') as file_obj:
serializer.dump(data, file_obj)
self.logger.debug('cached data: %s', cache_path)
示例4: gt_roidb
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def gt_roidb(self):
"""
Return the database of ground-truth regions of interest.
This function loads/saves from/to a cache file to speed up future calls.
"""
cache_file = os.path.join(self.cache_path, self.name + '_gt_roidb.pkl')
if os.path.exists(cache_file):
with open(cache_file, 'rb') as fid:
try:
roidb = pickle.load(fid)
except:
roidb = pickle.load(fid, encoding='bytes')
print('{} gt roidb loaded from {}'.format(self.name, cache_file))
return roidb
gt_roidb = [self._load_pascal_labels(index)
for index in self.image_index]
with open(cache_file, 'wb') as fid:
pickle.dump(gt_roidb, fid, pickle.HIGHEST_PROTOCOL)
print('wrote gt roidb to {}'.format(cache_file))
return gt_roidb
开发者ID:Sunarker,项目名称:Collaborative-Learning-for-Weakly-Supervised-Object-Detection,代码行数:25,代码来源:pascal_voc.py
示例5: _write_coco_results_file
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def _write_coco_results_file(self, all_boxes, res_file):
# [{"image_id": 42,
# "category_id": 18,
# "bbox": [258.15,41.29,348.26,243.78],
# "score": 0.236}, ...]
results = []
for cls_ind, cls in enumerate(self.classes):
if cls == '__background__':
continue
print('Collecting {} results ({:d}/{:d})'.format(cls, cls_ind,
self.num_classes - 1))
coco_cat_id = self._class_to_coco_cat_id[cls]
results.extend(self._coco_results_one_category(all_boxes[cls_ind],
coco_cat_id))
print('Writing results json to {}'.format(res_file))
with open(res_file, 'w') as fid:
json.dump(results, fid)
开发者ID:Sunarker,项目名称:Collaborative-Learning-for-Weakly-Supervised-Object-Detection,代码行数:19,代码来源:coco.py
示例6: save_eval_file
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def save_eval_file(opt, stats, eval_type="losses", split="dev", ext="pickle"):
if cfg.test_save:
name = "{}/{}.{}".format(utils.make_name(
opt, prefix="garbage/{}/".format(eval_type),
is_dir=True, eval_=True), split, ext)
else:
name = "{}/{}.{}".format(utils.make_name(
opt, prefix="results/{}/".format(eval_type),
is_dir=True, eval_=True), split, ext)
print("Saving {} {} to {}".format(split, eval_type, name))
if ext == "pickle":
with open(name, "wb") as f:
pickle.dump(stats, f)
elif ext == "txt":
with open(name, "w") as f:
f.write(stats)
elif ext == "json":
with open(name, "w") as f:
json.dump(stats, f)
else:
raise
示例7: main
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def main(cache_dir):
files_list = list(os.listdir(cache_dir))
for file in files_list:
full_filename = os.path.join(cache_dir, file)
if os.path.isfile(full_filename):
print("Processing {}".format(full_filename))
m, stored_kwargs = pickle.load(open(full_filename, 'rb'))
updated_kwargs = util.get_compatible_kwargs(model.Model, stored_kwargs)
model_hash = util.object_hash(updated_kwargs)
print("New hash -> " + model_hash)
model_filename = os.path.join(cache_dir, "model_{}.p".format(model_hash))
sys.setrecursionlimit(100000)
pickle.dump((m,updated_kwargs), open(model_filename,'wb'), protocol=pickle.HIGHEST_PROTOCOL)
os.remove(full_filename)
示例8: train
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def train(self):
while (self.epoch < self.option.max_epoch and not self.early_stopped):
self.one_epoch_train()
self.one_epoch_valid()
self.one_epoch_test()
self.epoch += 1
model_path = self.saver.save(self.sess,
self.option.model_path,
global_step=self.epoch)
print("Model saved at %s" % model_path)
if self.early_stop():
self.early_stopped = True
print("Early stopped at epoch %d" % (self.epoch))
all_test_in_top = [np.mean(x[1]) for x in self.test_stats]
best_test_epoch = np.argmax(all_test_in_top)
best_test = all_test_in_top[best_test_epoch]
msg = "Best test in top: %0.4f at epoch %d." % (best_test, best_test_epoch + 1)
print(msg)
self.log_file.write(msg + "\n")
pickle.dump([self.train_stats, self.valid_stats, self.test_stats],
open(os.path.join(self.option.this_expsdir, "results.pckl"), "w"))
示例9: saveSeed
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def saveSeed(randomStates, saveDir):
"""
Takes a list of dictionaries of random generator states of different modules
and saves them in a .pkl format.
Inputs:
randomStates (list): The length of this list is equal to the number of
modules whose states want to be saved (torch, numpy, etc.). Each
element in this list is a dictionary. The dictionary has three keys:
'module' with the name of the module in string format ('numpy' or
'torch', for example), 'state' with the saved generator state and,
if corresponds, 'seed' with the specific seed for the generator
(note that torch has both state and seed, but numpy only has state)
saveDir (path): where to save the seed, it will be saved under the
filename 'randomSeedUsed.pkl'
"""
pathToSeed = os.path.join(saveDir, 'randomSeedUsed.pkl')
with open(pathToSeed, 'wb') as seedFile:
pickle.dump({'randomStates': randomStates}, seedFile)
示例10: saveToDisk
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def saveToDisk(self):
"""Saves the data to disk."""
out.info('Saving to disk (%s)\n' % (self.filename))
# Make sure they want to save
if(not self.attrSaveable()):
return
# Get whatever the data is
pyld = self.exportAttr(self.getAttr())
# Write the file to disk, truncate if it exists
try:
with open(self.filename, 'wb') as output:
pickle.dump(pyld, output)
os.fsync(output.fileno())
except Exception as e:
out.err('Error writing to disk %s\n' % (str(e)))
try:
with open(self.filename + ".yaml", "w") as output:
yaml.dump(pyld, output)
except Exception as error:
out.err("Error writing yaml file: {}".format(error))
示例11: gt_roidb
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def gt_roidb(self):
"""
Return the database of ground-truth regions of interest.
This function loads/saves from/to a cache file to speed up future calls.
"""
cache_file = os.path.join(self.cache_path, self.name + '_gt_roidb.pkl')
if os.path.exists(cache_file):
with open(cache_file, 'rb') as fid:
try:
roidb = pickle.load(fid)
except:
roidb = pickle.load(fid, encoding='bytes')
print('{} gt roidb loaded from {}'.format(self.name, cache_file))
return roidb
gt_roidb = [self._load_pascal_annotation(index)
for index in self.image_index]
with open(cache_file, 'wb') as fid:
pickle.dump(gt_roidb, fid, pickle.HIGHEST_PROTOCOL)
print('wrote gt roidb to {}'.format(cache_file))
return gt_roidb
示例12: gt_roidb
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def gt_roidb(self):
"""
Return the database of ground-truth regions of interest.
This function loads/saves from/to a cache file to speed up future calls.
"""
cache_file = os.path.join(self.cache_path, self.name + '_gt_roidb.pkl')
if os.path.exists(cache_file):
with open(cache_file, 'rb') as fid:
roidb = pickle.load(fid)
print('{} gt roidb loaded from {}'.format(self.name, cache_file))
return roidb
gt_roidb = [self._load_pascal_annotation(index)
for index in self.image_index]
with open(cache_file, 'wb') as fid:
pickle.dump(gt_roidb, fid, pickle.HIGHEST_PROTOCOL)
print('wrote gt roidb to {}'.format(cache_file))
return gt_roidb
示例13: gt_roidb
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def gt_roidb(self):
"""
Return the database of ground-truth regions of interest.
This function loads/saves from/to a cache file to speed up future calls.
"""
cache_file = os.path.join(self.cache_path, self.name + '_gt_roidb.pkl')
if os.path.exists(cache_file):
with open(cache_file, 'rb') as fid:
roidb = pickle.load(fid)
print('{} gt roidb loaded from {}'.format(self.name, cache_file))
return roidb
gt_roidb = [self._load_imagenet_annotation(index)
for index in self.image_index]
with open(cache_file, 'wb') as fid:
pickle.dump(gt_roidb, fid, pickle.HIGHEST_PROTOCOL)
print('wrote gt roidb to {}'.format(cache_file))
return gt_roidb
示例14: gt_roidb
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def gt_roidb(self):
"""
Return the database of ground-truth regions of interest.
This function loads/saves from/to a cache file to speed up future calls.
"""
cache_file = os.path.join(self.cache_path, self.name + '_gt_roidb.pkl')
if os.path.exists(cache_file):
fid = gzip.open(cache_file,'rb')
roidb = pickle.load(fid)
fid.close()
print('{} gt roidb loaded from {}'.format(self.name, cache_file))
return roidb
gt_roidb = [self._load_vg_annotation(index)
for index in self.image_index]
fid = gzip.open(cache_file,'wb')
pickle.dump(gt_roidb, fid, pickle.HIGHEST_PROTOCOL)
fid.close()
print('wrote gt roidb to {}'.format(cache_file))
return gt_roidb
示例15: write
# 需要导入模块: import pickle [as 别名]
# 或者: from pickle import dump [as 别名]
def write(self, file):
"""Write the content index to file and update the header.
"""
pos = file.tell()
pickle.dump((self.index, self.meta, self.info), file)
file.seek(0)
# update the header with the position of the content index.
file.write(struct.pack('<Q', pos))