I'm trying to increment a python list of numbers like an abacus.
list = [0,0,0,0]
units = 4
def m(list, units):
for e in range(len(list)):
if units:
list[e] = list[e] + 1
units -= 1
This code works fine in that if I run m(list, units)
the list will be [1,1,1,1] -- the problem I am trying to solve is that when the units value is something like units = 2
the list will increment to [2,2,1,1] (which again is fine) the problem is when I run the m()
function from an uneven list, the list will increment from list[0] to end up [3,3,1,1] rather than [2,2,2,2].
Is there a pythonic way I can have the function increment the list from the lowest value to achieve an even spread?
In order to begin at the first element with the minimum value, you can set the starting index to
starting_index = abacus.index(min(abacus))
as @jonrsharpe suggests.However, you need to avoid going beyond the end of the list, for example if
units = 4
andstarting_index = 3
, so you should take the remainder of your calculated index after dividing bylen(abacus)
, i.e.calculated_index % len(abacus)
.Finally, I think it would be easier just to loop over
range(units)
. That way you don't need to decrement units yourself, and can handle adding more units at once than the length of the abacus.Here is an example implementation:
And test:
With result: