How to Calculate the Sum of Integers in a List Using Python
Suppose you have a list of integers like [2, 4, 7, 12, 3]. The objective is to find the total sum of these numbers, resulting in 28.
To address this issue in Python, we present two viable solutions:
Solution 1: Using the sum() Function
The sum() function in Python provides a straightforward method for adding all the elements in a list. In our case, we would use it as follows:
<code class="python">x = [2, 4, 7, 12, 3] sum_of_all_numbers = sum(x)</code>
Solution 2: Utilizing the reduce() Function with a Lambda Function
Alternatively, we can employ the reduce() function in conjunction with a lambda function. Reduce iteratively applies a function to each element of a list, resulting in a single cumulative value:
<code class="python">import functools x = [2, 4, 7, 12, 3] sum_of_all_numbers = functools.reduce(lambda q, p: p + q, x)</code>
In this case, the lambda function (lambda q, p: p q) represents an addition operation. Reduce iteratively adds the list elements using this addition function, producing the same result as the sum() function.
The above is the detailed content of How to Calculate the Sum of Integers in a List Using Python: Sum() vs. Reduce()?. For more information, please follow other related articles on the PHP Chinese website!