Python 解析文件到列表列表的字典中:for 循环只是附加最后一行



我正在尝试解析具有一致格式的文件:一个标题和按空格分隔的几行文本。 当一行有一个值时,我想启动一个新的字典键,将以下行读入列表列表,每个列表都是拆分的单词。 我首先尝试使用它来尝试让程序识别新标记并使用索引计数器来设置新键。 然后,我最初使用它来相应地拆分行。

以下是我的代码当前的样子:

import sys
def openfile(file):
frames = {}
index = 0
with open(file, 'r') as f:
for line in f:
if line.strip() == '5310':
index +=1
else:
newline = line
print newline
frames[index] = []
frames[index].append([newline.split()])
print frames
openfile(sys.argv[1])

索引将正确计数,"打印换行符"正在打印我想要的所有行,但最终打印的字典是一个嵌套列表:

{1:[['last', 'line', 'of', 'input', 'file']]}

相反,我想要的是:

{1:[[line1],[line2] ...], 2:[[nextline], [nextline] ...], ... , key n : [[line], [line]....[lastline]]}

我也尝试过:

def openfile(file):
frames = {}
index = 0
with open(file) as f:
for line in f:
if str(line.strip()) == '5310':
index += 1
else:
frames[index] = []
frames[index].append([line.split()])
return frames

这也行不通。 这给我留下了两个问题: 1:为什么我当前的代码会打印但不附加我想要的行? 2. 我还能尝试什么来让它工作?

编辑谢谢!我设法让它工作。 如果有人遇到类似的问题,这是我的代码

import sys
def openfile(file):
frames = {}
index = 0
with open(file, 'r') as f:
for line in f:
if line.strip() == '5310':
index +=1
frames[index] = []
else:
newline = line
print newline
frames[index].append([newline.split()])
print frames
openfile(sys.argv[1])

你的问题很明显...一旦你看到问题:-(

frames[index] = []
frames[index].append([newline.split()])

每次通过循环时,您都会清除较早的进度,并从一个新的空列表开始。 因此,只有最后一次迭代的结果在frames中。

在进入循环之前,只需执行一次初始化代码。

with open(file) as f:
frames[index] = []
for line in f:

。或适合您申请的其他点。

相关内容

  • 没有找到相关文章

最新更新