一维数组实验题:计算平均数、中位数和众数
在调查数据分析(Survey data analysis)中经常需要计算平均数、中位数和众数。用函数编程计算40个输入数据(是取值1—10之间的任意整数)的平均数(Mean)、中位数(Median)和众数(Mode)。中位数指的是排列在数组中间的数。众数是数组中出现次数最多的那个数(不考虑两个或两个以上的输入数据出现次数相同的情况)。
提示:计算中位数时,首先要调用排序函数对数组按升序进行排序,然后取出排序后数组中间位置的元素answer[n/2] ,就得到了中位数。如果数组元素的个数是偶数,那么中位数就等于数组中间那两个元素的算术平均值。众数就是40个输入数据中出现次数最多的那个数。计算众数时,首先要统计不同取值的输入数据出现的次数,然后找出出现次数最多的那个数据,这个数据就是众数(这里没有考虑两个或者两个以上的输入数据出现次数相同的情况)。
程序运行结果示例:
Input the feedbacks of 40 students:
10 9 10 8 7 6 5 10 9 8↙
8 9 7 6 10 9 8 8 7 7↙
6 6 8 8 9 9 10 8 7 7↙
9 8 7 9 7 6 5 9 8 7↙
Mean value=7
Median value=8
Mode value=8
输入格式: “%d”
输出格式:
输入数据的提示信息:“Input the feedbacks of 40 students:\n”
平均数输出:“Mean value=%d\n”
中位数输出:“Median value=%d\n”
众数输出: “Mode value=%d\n”
#include<stdio.h> #include<stdlib.h> int main() { int n[40],i,j,k,t,s=0,g,c[10],x,y,max=0; printf("Input the feedbacks of 40 students:\n"); for(i=0;i<40;i++) { scanf(" %d",&n[i]); s+=n[i]; } for(j=0;j<39;j++) { for(k=j+1;k<40;k++) { if(n[j]>n[k]) { t=n[j]; n[j]=n[k]; n[k]=t; } } } printf("Mean value=%d\n",s/40); printf("Median value=%d\n",(n[19]+n[20])/2); for(g=0;g<10;g++) { c[g]=0; for(x=0;x<40;x++) { if(n[x]==g+1) c[g]++; } } for(y=1;y<10;y++) { if(c[max]<c[y]) max=y; } printf("Mode value=%d\n",max+1); return 0; }