I have a map that my program scans and tries to find out where the occurrences of "E" are in the map, then stores them accordingly. But as it stands, if there are two occurrences of "E" in the same row it only indexes the first one? How can I get around this with my current function?
def agent_loc(a_maze):
coor_list = str()
for row, i in enumerate(a_maze):
try:
column = i.index("E")
except:
continue
coor_list = coor_list + str(row) + ";" + str(column) + "|"
print (coor_list)
You only have one loop, over the rows.
And within that loop, you call
index
only once. So, if there's a second"E"
after that first one, you're never going to find it.What you need is another loop, that loops over all the
"E"
s. For example:This would probably be a lot easier to read if you factored out the inner loop:
Or just rewrote it to loop over all characters:
Once you do that, you've almost got a comprehension. So, let's rewrite it to use a comprehension: