Hi could someone please tell me why this code prints out the last item (“Phoebe Buffay”) on the list and not the whole list.
JavaScript
x
8
1
names = ["Joey Tribbiani", "Monica Geller", "Chandler Bing", "Phoebe Buffay"]
2
usernames = []
3
4
for name in names:
5
usernames = name.replace(" ","_")
6
7
print(usernames)
8
Thank you.
Advertisement
Answer
You’re replacing the value of usernames
each time and not appending to the list as you probably want:
JavaScript
1
8
1
names = ["Joey Tribbiani", "Monica Geller", "Chandler Bing", "Phoebe Buffay"]
2
usernames = []
3
4
for name in names:
5
usernames.append(name.replace(" ","_"))
6
7
print(usernames)
8
This outputs what you expect:
JavaScript
1
2
1
['Joey_Tribbiani', 'Monica_Geller', 'Chandler_Bing', 'Phoebe_Buffay']
2
In your code, you’re not using the original usernames
list to keep any data, instead you’re replacing what usernames
is referring to for each iteration of the for loop – and after the for loop is finished, that’s the last element in your original list.