我需要一个程序来计算任意数量整数的最小值,最大值,平均值和几何平均值。这就是我到目前为止想出来的。Min和Max工作得很好,直到我添加了Avg。现在Min和Avg工作正常,但Max给出了错误的数字(通常是第二大数字)。几何平均值仅为0.00000。谢谢你的帮助。

#include <stdio.h>
#include <stdlib.h>
#include <math.h>

int main(int argc, char const *argv[]) {

  int arr[100], max, i, min, size, lok = 1;
  float arit = 0, geom = 0, sum = 0, prod = 0;
    printf("\nSay how many integers you want to input: ");
    scanf("%d", &size);

    printf("\nType %d integers: ", size);

      for (i = 0; i < size; i++) //put values in arr
        scanf("%d", &arr[i]);
            max = arr[0];
            min = arr[0];
      for (i = 1; i < size; i++) { //calc maximum
        if (arr[i]>max) {
            max = arr[i];
            lok = i+1;
          }


        if (arr[i]<min) { //calc minimum
            min = arr[i];
            lok = i+1;
          }



      for (i = 0; i < size; i++) { //calc avg
            sum = sum + arr[i];
        }
            arit = sum/size;

      for (i = 0; i < size; i++) {
        prod = prod * arr[i];
      }
        geom = pow(prod, 1./size);
      }


      printf("\n%d is maximum", max);
      printf("\n%d is minimum", min);
      printf("\n%f is avg", arit);
      printf("\n%f is geometric avg", geom);




  return 0;
}

最佳答案

两个主要问题是
错误放置的闭合支撑
错误初始化}
我也做了一些其他的改变:
检查输入的有效性
使用prod = 0而不是double(除非有正当理由不使用)。
移除未使用的float
所有统计数据只需要一个循环
按惯例移动lok换行符的位置。
这是修订后的法典:

#include <stdio.h>
#include <stdlib.h>
#include <math.h>

int main(int argc, char const *argv[]) {

    int arr[100], max, i, min, size;
    double arit = 0, geom = 0, sum = 0, prod = 1;   // init prod to 1

    printf("\nSay how many integers you want to input: ");
    if(scanf("%d", &size) != 1 || size < 1 || size > 100) {
        exit(1);                                    // or other action
    }

    printf("\nType %d integers:\n", size);          // added newline
    for (i = 0; i < size; i++) {
        if(scanf("%d", &arr[i]) != 1) {
            exit(1);                                // or other action
        }
    }

    max = arr[0];
    min = arr[0];

    for (i = 0; i < size; i++) {                    // just one loop
        if (arr[i] > max) {
            max = arr[i];
        }
        if (arr[i] < min) {
            min = arr[i];
        }
        sum = sum + arr[i];
        prod = prod * arr[i];
    }

    arit = sum / size;
    geom = pow(prod, 1.0 / size);

    printf("%d is maximum\n", max);                 // reposition newlines
    printf("%d is minimum\n", min);
    printf("%f is avg\n", arit);
    printf("%f is geometric avg\n", geom);
    return 0;
}

关于c - 数组的统计信息,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/58710247/

10-11 22:43
查看更多