如何将枚举的整数保存到空列表?
How to save enumerated ints to empty list?
1) 我有一个文本文件,里面有一些可能出现多次的键值(例如“002”或“006”或“007”
2) 我写了一些代码来查找行号,每次都会找到特定的“002”
3) 代码有效,但最新的发现会覆盖之前的任何一个,所以我最终得到了一个。因此,我需要将找到“002”的每个行号存储到列表中。
4) 快死了,我似乎无法存储行号。请帮忙..
# this is my code that finds the line numbers where '002' occurs
lookup2 = 'Issuer: 002'
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
print ('found the last num2 at line:', num2)
num2int = int(num2)
输出
在第 7 行找到最后一个 num2
在第 14
行找到最后一个 num2
进程已完成,退出代码为 0
#this is my problematic code
lookup2 = 'Issuer: 002'
my_list = [0, 0, 0, 0, 0, 0, 0]
i = 0
while i < len(my_list):
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
my_list[i] = mylist.append(num2)
i = i + 1
print( my_list )
我只需要存储所有的行号,这样我就可以编写一些逻辑来根据特定信息的位置拆分文件中的数据
将索引存储在列表字典中,其中键是您要查找的内容,值是索引列表
from collections import defaultdict
d = defaultdict(list)
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
print ('found the last num2 at line:', num2)
d[lookup2].append(int(num2))
你应该得到这样的结果:
d = {
"002": [7, 14]
}
通过这种方式,您实际上可以在一个地方跟踪多个查找或键,以备不时之需。
1) 我有一个文本文件,里面有一些可能出现多次的键值(例如“002”或“006”或“007”
2) 我写了一些代码来查找行号,每次都会找到特定的“002”
3) 代码有效,但最新的发现会覆盖之前的任何一个,所以我最终得到了一个。因此,我需要将找到“002”的每个行号存储到列表中。
4) 快死了,我似乎无法存储行号。请帮忙..
# this is my code that finds the line numbers where '002' occurs
lookup2 = 'Issuer: 002'
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
print ('found the last num2 at line:', num2)
num2int = int(num2)
输出
在第 7 行找到最后一个 num2 在第 14
行找到最后一个 num2进程已完成,退出代码为 0
#this is my problematic code
lookup2 = 'Issuer: 002'
my_list = [0, 0, 0, 0, 0, 0, 0]
i = 0
while i < len(my_list):
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
my_list[i] = mylist.append(num2)
i = i + 1
print( my_list )
我只需要存储所有的行号,这样我就可以编写一些逻辑来根据特定信息的位置拆分文件中的数据
将索引存储在列表字典中,其中键是您要查找的内容,值是索引列表
from collections import defaultdict
d = defaultdict(list)
with open("C:/Destin/help.txt") as myFile:
for num2, line in enumerate(myFile, 1):
if lookup2 in line:
print ('found the last num2 at line:', num2)
d[lookup2].append(int(num2))
你应该得到这样的结果:
d = {
"002": [7, 14]
}
通过这种方式,您实际上可以在一个地方跟踪多个查找或键,以备不时之需。