How to sum numbers in a list except those between x and y in Python

2 Answers

0 votes
a_list = [1, 4, 5, 3, 6, 2, 3]

i = 0
total = 0
x = 2
y = 4
while i < len(a_list):
    if a_list[i] < x:
        total += a_list[i]
    else:
        if a_list[i] > y:
            total += a_list[i]
    i += 1


print(total)


'''
run:

12

'''

 



answered Oct 28, 2017 by avibootz
0 votes
a_list = [1, 4, 5, 3, 6, 2, 3]

i = 0
total = 0
x = 2
y = 4
while i < len(a_list):
    if not x <= a_list[i] <= y:
        total += a_list[i]
    i += 1


print(total)


'''
run:

12

'''

 



answered Oct 28, 2017 by avibootz
...