我使用以下代码(使用嵌套生成器)迭代文本文档并使用get_train_minibatch()
返回训练示例。我想坚持(挑选)发电机,所以我可以回到文本文件中的同一个地方。但是,你不能腌制发电机。
是否有一个简单的解决方法,以便我可以保存我的位置并从我停止的地方开始?也许我可以让get_train_example()
成为单身人士,所以我没有几个发电机。然后,我可以在这个模块中创建一个全局变量来跟踪get_train_example()
的距离。
你有更好(更干净)的建议,允许我坚持这个发电机吗?
[编辑:另外两个想法:
我可以向生成器添加成员变量/方法,所以我可以调用generator.tell()并找到文件位置吗?因为那时,下次我创建生成器时,我可以要求它寻找那个位置。 这个想法听起来最简单。
我可以创建一个类并让文件位置成为成员变量,然后在类中创建生成器并在每次生成时更新文件位置成员变量吗?因为那时我可以知道文件到底有多远。
以下是代码:
def get_train_example():
for l in open(HYPERPARAMETERS["TRAIN_SENTENCES"]):
prevwords = []
for w in string.split(l):
w = string.strip(w)
id = None
prevwords.append(wordmap.id(w))
if len(prevwords) >= HYPERPARAMETERS["WINDOW_SIZE"]:
yield prevwords[-HYPERPARAMETERS["WINDOW_SIZE"]:]
def get_train_minibatch():
minibatch = []
for e in get_train_example():
minibatch.append(e)
if len(minibatch) >= HYPERPARAMETERS["MINIBATCH SIZE"]:
assert len(minibatch) == HYPERPARAMETERS["MINIBATCH SIZE"]
yield minibatch
minibatch = []
答案 0 :(得分:2)
你可以创建一个标准的迭代器对象,它不会像生成器那样方便;你需要将迭代器的状态存储在instace上(以便它被pickle),并定义一个next()函数来返回下一个对象:
class TrainExampleIterator (object):
def __init__(self):
# set up internal state here
pass
def next(self):
# return next item here
pass
迭代器协议很简单,只需要在对象上定义.next()
方法就可以将它传递给for循环等。
在Python 3中,迭代器协议使用__next__
方法(稍微更一致)。
答案 1 :(得分:1)
以下代码应该或多或少地执行您想要的操作。第一个类定义了一些像文件一样但可以被pickle的东西。 (当你取消它时,它重新打开文件,并寻找到它腌制时的位置)。第二个类是生成单词窗口的迭代器。
class PickleableFile(object):
def __init__(self, filename, mode='rb'):
self.filename = filename
self.mode = mode
self.file = open(filename, mode)
def __getstate__(self):
state = dict(filename=self.filename, mode=self.mode,
closed=self.file.closed)
if not self.file.closed:
state['filepos'] = self.file.tell()
return state
def __setstate__(self, state):
self.filename = state['filename']
self.mode = state['mode']
self.file = open(self.filename, self.mode)
if state['closed']: self.file.close()
else: self.file.seek(state['filepos'])
def __getattr__(self, attr):
return getattr(self.file, attr)
class WordWindowReader:
def __init__(self, filenames, window_size):
self.filenames = filenames
self.window_size = window_size
self.filenum = 0
self.stream = None
self.filepos = 0
self.prevwords = []
self.current_line = []
def __iter__(self):
return self
def next(self):
# Read through files until we have a non-empty current line.
while not self.current_line:
if self.stream is None:
if self.filenum >= len(self.filenames):
raise StopIteration
else:
self.stream = PickleableFile(self.filenames[self.filenum])
self.stream.seek(self.filepos)
self.prevwords = []
line = self.stream.readline()
self.filepos = self.stream.tell()
if line == '':
# End of file.
self.stream = None
self.filenum += 1
self.filepos = 0
else:
# Reverse line so we can pop off words.
self.current_line = line.split()[::-1]
# Get the first word of the current line, and add it to
# prevwords. Truncate prevwords when necessary.
word = self.current_line.pop()
self.prevwords.append(word)
if len(self.prevwords) > self.window_size:
self.prevwords = self.prevwords[-self.window_size:]
# If we have enough words, then return a word window;
# otherwise, go on to the next word.
if len(self.prevwords) == self.window_size:
return self.prevwords
else:
return self.next()
答案 2 :(得分:0)
这可能不是您的选择,但Stackless Python(http://stackless.com) 允许您在某些条件下挑选功能和生成器等内容。这将有效:
在foo.py中:
def foo():
with open('foo.txt') as fi:
buffer = fi.read()
del fi
for line in buffer.split('\n'):
yield line
在foo.txt中:
line1
line2
line3
line4
line5
在翻译中:
Python 2.6 Stackless 3.1b3 060516 (python-2.6:66737:66749M, Oct 2 2008, 18:31:31)
IPython 0.9.1 -- An enhanced Interactive Python.
In [1]: import foo
In [2]: g = foo.foo()
In [3]: g.next()
Out[3]: 'line1'
In [4]: import pickle
In [5]: p = pickle.dumps(g)
In [6]: g2 = pickle.loads(p)
In [7]: g2.next()
Out[7]: 'line2'
有些注意事项:必须缓冲文件内容,并删除文件对象。这意味着文件的内容将在pickle中重复。
答案 3 :(得分:0)
您也可以考虑使用NLTK的语料库阅读器:
-Edward
答案 4 :(得分:0)
__iter__
方法__getstate__
和__setstate__
方法添加到课程中,以处理酸洗。请记住,你不能腌制文件对象。因此,__setstate__
必须根据需要重新打开文件。我使用示例代码here更深入地描述了这种方法。
答案 5 :(得分:-1)
您可以尝试创建可调用对象:
class TrainExampleGenerator:
def __call__(self):
for l in open(HYPERPARAMETERS["TRAIN_SENTENCES"]):
prevwords = []
for w in string.split(l):
w = string.strip(w)
id = None
prevwords.append(wordmap.id(w))
if len(prevwords) >= HYPERPARAMETERS["WINDOW_SIZE"]:
yield prevwords[-HYPERPARAMETERS["WINDOW_SIZE"]:]
get_train_example = TrainExampleGenerator()
现在您可以将需要保存的所有状态转换为对象字段并将其暴露给pickle。这是一个基本的想法,我希望这有帮助,但我还没有尝试过这个。
更新:
不幸的是,我未能实现我的想法。提供示例不是完整的解决方案。你看,TrainExampleGenerator
没有州。您必须设计此状态并使其可用于酸洗。并且__call__
方法应该使用并修改该状态,以便返回从对象状态确定的位置开始的生成器。显然,发电机本身不会发泡。但是TrainExampleGenerator
将有可能腌制,你将能够用重新创建生成器,好像生成器本身被腌制一样。