给定奇数之前所有奇数的平均值?
给定奇数之前所有奇数的平均值是一个简单的概念。你只需要找到到该数字的所有奇数,然后求和并除以奇数的个数。
如果需要找到到 n 的奇数的平均值。那么我们将找到从 1 到 n 的奇数,然后将它们加起来并除以奇数的个数。
示例
到 9 的奇数的平均值为 5,即
1 + 3 + 5 + 7 + 9 = 25 => 25/5 = 5
有两种方法可以计算到 n 的奇数的平均值,其中 n 是奇数。
- 使用循环
- 使用公式
使用循环查找到 n 的奇数平均值的程序
为了计算到 n 的奇数的平均值,我们将把到 n 的所有奇数加起来,然后除以到 n 的奇数的个数。
计算到 n 的奇数自然数的平均值的程序 -
示例代码
#include <stdio.h> int main() { int n = 15,count = 0; float sum = 0; for (int i = 1; i <= n; i++) { if(i%2 != 0) { sum = sum + i; count++; } } float average = sum/count; printf("The average of odd numbers till %d is %f",n, average); return 0; }
输出
The average of odd numbers till 15 is 8.000000
使用公式查找到 n 的奇数平均值的程序
为了计算到 n 的奇数的平均值,我们可以使用一个数学公式 (n+1)/2,其中 n 是奇数,这是我们问题中给定的条件。
计算到 n 的奇数自然数的平均值的程序 -
示例代码
#include <stdio.h> int main() { int n = 15; float average = (n+1)/2; printf("The average of odd numbers till %d is %f",n, average); return 0; }
输出
The average of odd numbers till 15 is 8.000000
广告