Skip to content Skip to sidebar Skip to footer

For Loop Doesn't Append Info Correctly Into 2d Array

I have created an empty 2D array. When I try to add stuff inside of it, it doesn't do so properly. Each index contains the appropriate info, but for some reason, carries the info f

Solution 1:

The issue is with this:

array = [[]*cols]*rows

First, []*cols is just creating one empty list (empty, because the * operator has nothing to repeat). But more importantly, *row just duplicates the reference to that list, but does not create new empty lists. So whatever you do to that single list, will be visible in all the slots of the outer list.

So change:

array = [[]*cols]*rows 

To a list comprehension:

array= [[] for _ inrange(rows)]

Improvement

Not your question, but you can omit the loop and use the above mentioned list comprehension to immediately populate the list with the data:

array = [[fruit, 0] for fruit in ['apples', 'bananas', 'oranges']]

Post a Comment for "For Loop Doesn't Append Info Correctly Into 2d Array"