I have a file with a lot of numbers:
0.98
0.23
0.10
0.0
0.0
0.0
0.0
0.0
0.0
0.0
0.0
0.0
0.0
10.3
11.9
0.56
...
I want to print the number of line where the number 0 is repeated 10 consecutive times (as minimum). Consdering the above input, the output will be: 4 (for the line number 4 and because 0 es repeated 10 consecutive times). The files list.txt is a huge file. I'm new in Python. How can I do delete the error in the follow script:
import ast
values = open("list.txt","r")
values = list(map(int, ast.literal_eval(values.read().strip())))
count=0
length=""
if len(values)>1:
for i in range(1,len(values)):
if values[i-1]==values[i]:
count+=1
else :
length += values[i-1]+" repeats "+str(count)+", "
count=1
length += ("and "+values[i]+" repeats "+str(count))
else:
i=0
length += ("and "+values[i]+" repeats "+str(count))
print (length)
Read and evaluate the file line by line. If the pattern is found, the loop is broken, stopping reading the file
import ast
count = 0
lineNb = -1
found = False # False by default
with open("list.txt") as f:
for i,line in enumerate(f): # loop over lines, one-by-one
value = ast.literal_eval(line)
if value == 0:
if count == 0: # first occurrence
lineNb = i # set potential lineNb
count += 1 # increment counter
if count == 10: # desired condition
found = True # now we know we have found the pattern
break # break the for loop
else: # not 0
count = 0 # reset counter
print(found,lineNb) # (True,3) # lineNb is zero-based, 3 = 4th line