泡菜和搁架有什么区别?

我第一次学习对象序列化。我试图阅读和“谷歌”的差异模块腌菜和搁置,但我不确定我理解它。什么时候用哪一个? Pickle 可以将每个 python 对象转换为字节流,这些字节流可以持久化到一个文件中。那我们为什么需要模块架子?泡菜不是更快吗?

38864 次浏览

pickle is for serializing some object (or objects) as a single bytestream in a file.

shelve builds on top of pickle and implements a serialization dictionary where objects are pickled, but associated with a key (some string), so you can load your shelved data file and access your pickled objects via keys. This could be more convenient were you to be serializing many objects.

Here is an example of usage between the two. (should work in latest versions of Python 2.7 and Python 3.x).

pickle Example

import pickle


integers = [1, 2, 3, 4, 5]


with open('pickle-example.p', 'wb') as pfile:
pickle.dump(integers, pfile)

This will dump the integers list to a binary file called pickle-example.p.

Now try reading the pickled file back.

import pickle


with open('pickle-example.p', 'rb') as pfile:
integers = pickle.load(pfile)
print integers

The above should output [1, 2, 3, 4, 5].

shelve Example

import shelve


integers = [1, 2, 3, 4, 5]


# If you're using Python 2.7, import contextlib and use
# the line:
# with contextlib.closing(shelve.open('shelf-example', 'c')) as shelf:
with shelve.open('shelf-example', 'c') as shelf:
shelf['ints'] = integers

Notice how you add objects to the shelf via dictionary-like access.

Read the object back in with code like the following:

import shelve


# If you're using Python 2.7, import contextlib and use
# the line:
# with contextlib.closing(shelve.open('shelf-example', 'r')) as shelf:
with shelve.open('shelf-example', 'r') as shelf:
for key in shelf.keys():
print(repr(key), repr(shelf[key]))

The output will be 'ints', [1, 2, 3, 4, 5].

According to pickle documentation:

Serialization is a more primitive notion than persistence; although pickle reads and writes file objects, it does not handle the issue of naming persistent objects, nor the (even more complicated) issue of concurrent access to persistent objects. The pickle module can transform a complex object into a byte stream and it can transform the byte stream into an object with the same internal structure. Perhaps the most obvious thing to do with these byte streams is to write them onto a file, but it is also conceivable to send them across a network or store them in a database. The shelve module provides a simple interface to pickle and unpickle objects on DBM-style database files.