我按如下方式生成npz文件:
import numpy as np
import os
# Generate npz file
dataset_text_filepath = 'test_np_load.npz'
texts = []
for text_number in range(30000):
texts.append(np.random.random_integers(0, 20000,
size = np.random.random_integers(0, 100)))
texts = np.array(texts)
np.savez(dataset_text_filepath, texts=texts)
这给了我~7MiB npz文件(基本上只有1个变量texts
,它是Numpy数组的NumPy数组):
我加载了numpy.load()
:
# Load data
dataset = np.load(dataset_text_filepath)
如果我按如下方式查询,则需要几分钟时间:
# Querying data: the slow way
for i in range(20):
print('Run {0}'.format(i))
random_indices = np.random.randint(0, len(dataset['texts']), size=10)
dataset['texts'][random_indices]
如果我按如下方式查询,则需要不到5秒的时间:
# Querying data: the fast way
data_texts = dataset['texts']
for i in range(20):
print('Run {0}'.format(i))
random_indices = np.random.randint(0, len(data_texts), size=10)
data_texts[random_indices]
为什么第二种方法比第一种方法快得多?
答案 0 :(得分:4)
dataset['texts']
每次使用时都会读取文件。 npz
的{{3}}只返回文件加载器,而不是实际数据。它是一个“延迟加载器”,只在访问时才加载特定的数组。 load
文档可能更清晰,但他们说:
- If the file is a ``.npz`` file, the returned value supports the context
manager protocol in a similar fashion to the open function::
with load('foo.npz') as data:
a = data['a']
The underlying file descriptor is closed when exiting the 'with' block.
和savez
:
When opening the saved ``.npz`` file with `load` a `NpzFile` object is
returned. This is a dictionary-like object which can be queried for
its list of arrays (with the ``.files`` attribute), and for the arrays
themselves.
help(np.lib.npyio.NpzFile)