Python 计算列表中所有数字的总和

Document 对象参考手册 Python3 实例

我们将编写一个 Python 程序来计算列表中所有数字的总和。这个程序将遍历列表中的每个元素,并将它们累加起来,最后输出总和。

实例

def calculate_sum(numbers):
    total = 0
    for num in numbers:
        total += num
    return total

# 示例列表
numbers = [1, 2, 3, 4, 5]

# 调用函数并打印结果
result = calculate_sum(numbers)
print("列表中所有数字的总和是:", result)

代码解析:

  1. calculate_sum 函数接受一个列表 numbers 作为参数。
  2. 初始化一个变量 total 为 0,用于存储累加的结果。
  3. 使用 for 循环遍历列表中的每个元素 num
  4. 在每次循环中,将当前元素 num 加到 total 上。
  5. 循环结束后,返回 total 作为结果。
  6. 示例列表 numbers 包含数字 1 到 5。
  7. 调用 calculate_sum 函数并将结果存储在 result 变量中。
  8. 最后,打印出结果。

输出结果:

列表中所有数字的总和是: 15

Document 对象参考手册 Python3 实例