i am trying to remove the ‘n’ characters a string because when i read the lines from a file it include the ‘n’ characters!! input:
JavaScript
x
9
1
with open('names.txt', mode='r') as file:
2
list_of_names = file.readlines()
3
print(list_of_names)
4
for name in list_of_names:
5
list_of_names.remove(name)
6
name = name.strip('n')
7
list_of_names.append(name)
8
print(list_of_names)
9
output:
JavaScript
1
3
1
['Aangn', 'Zukon', 'Appan', 'Kataran', 'Sokkan', 'Momon', 'Uncle Irohn', 'Toph']
2
['Zukon', 'Kataran', 'Momon', 'Toph', 'Appa', 'Uncle Iroh', 'Sokka', 'Aang']
3
Advertisement
Answer
Because you are modifying the list while iterating over it, halfway through the loop, list_of_names.remove(name)
is trying to remove the wrong element. This is also why the order of the list changes. This is unnecessarily complex.
Instead of modifying the old list, consider simply appending to a new, empty list.
JavaScript
1
9
1
with open('names.txt', mode='r') as f:
2
list_of_names = f.readlines()
3
new_list_of_names = []
4
print(list_of_names)
5
for name in list_of_names:
6
name = name.strip('n')
7
new_list_of_names.append(name)
8
print(new_list_of_names)
9
Or, for shorter code, use list comprehension:
JavaScript
1
6
1
with open('names.txt') as f:
2
list_of_names = f.readlines()
3
new_list_of_names = [name.strip('n') for name in list_of_names]
4
print(list_of_names)
5
print(new_list_of_names)
6
(Note: mode='r'
is redundant because the default mode is read.)