简体   繁体   中英

Using sum() to print the sum of even numbers in a list

I am having trouble finding information on using sum to take from a list. I know how to use sum with range, for example:

sum = 0
for i in range(50):
    sum=sum + i
print (sum)

But I can't get my code to work when I am using a list such as [1, 2, 6, 7, 8, 10] and taking the even numbers using sum . Can anyone point me in the right direction?

You can filter out odd-values:

def is_even(x):
    # if the remainder (modulo) is 0 then it's evenly divisible by 2 => even
    return x % 2 == 0  

def sum_of_evens(it):
    return sum(filter(is_even, it))

>>> sum_of_evens([1,2,3,4,5])
6

Or if you prefer a conditional generator expression:

>>> lst = [1,2,3,4,5]
>>> sum(item for item in lst if item % 2 == 0)
6

Or the explicit (long) approach:

lst = [1,2,3,4,5]
sum_ = 0
for item in lst:
    if item % 2 == 0:
        sum_ += item
print(sum_)   # 6

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM