我有一个包含如下数据的文件:
# 0 867.691994 855.172889 279.230411 -78.951239 55.994189 -164.824148
# 0 872.477810 854.828159 279.690170 -78.950558 55.994391 -164.823700
...
893.270609 1092.179289 184.692319
907.682255 1048.809187 112.538457
...
# 0 877.347791 854.481104 280.214892 -78.949869 55.994596 -164.823240
...
893.243290 1091.395104 184.726720
907.682255 1048.809187 112.538457
...
# 0 882.216053 854.135168 280.745489 -78.948443 55.996206 -164.821887
我想通过以下方式仅读取注释行之间的行:我将两个相邻注释之间的所有行读入某个数组(不保存到文件中),然后使用它,然后将下一个块读入数组,等等。
我设法使它读取一个块:
def main():
sourceFile = 'test.asc'
print 'Extracting points ...'
extF = open(sourceFile, 'r')
block, cursPos = readBlock(extF)
extF.close()
print 'Finished extraction'
def readBlock(extF):
countPnts = 0
extBlock = []
line = extF.readline()
while not line.startswith('#'):
extPnt = Point(*[float(j) for j in line.split()])
countPnts += 1
extBlock.append(extPnt)
line = extF.readline()
cursPos = extF.tell()
print 'Points:', countPnts
print 'Cursor position:', cursPos
return extBlock, cursPos
它完美地工作,但仅适用于一个数据块。我不能让它在从一个块到另一个块的注释行之间迭代。我正在考虑光标位置,但无法意识到这一点。请给我一些提示。谢谢你。
更新 我实现了 MattH 的想法如下:
def blocks(seq):
buff = []
for line in seq:
if line.startswith('#'):
if buff:
#yield "".join(buff)
buff = []
else:
# I need to make those numbers float
line_spl = line.split()
pnt = [float(line_spl[k]) for k in range(len(line_spl))]
#print pnt
buff.append(Point(*pnt))
if buff:
yield "".join(buff)
然后,如果我运行它:
for block in blocks(extF.readlines()):
print 'p'
我只有空窗口,虽然print 'p'
在for
-loop 里面。所以,有几个问题:
什么是
if buff:
yield "".join(buff)
做?当我发表评论时,它没有任何改变......
为什么for
-loop 内的命令不起作用?
这个函数是生成器,所以我无法访问之前处理过的行,是吗?
解决方案
我设法自己使用了 MattH 和 Ashwini Chaudhari 的想法。最后,我得到了这个:
def readBlock(extF):
countPnts = 0
extBlock = []
line = extF.readline()
if line.startswith('#'):
line = extF.readline()
else:
while not line.startswith('#'):
extPnt = Point(*[float(j) for j in line.split()])
countPnts += 1
extBlock.append(extPnt)
line = extF.readline()
return extBlock, countPnts
并运行它:
while extF.readline():
block, pntNum = readBlock(extF)
它完全按照我的需要工作。
谢谢大家。