在函数中使用结构体数组?

时间:2018-11-25 16:42:40

标签: c

我正在尝试编写一个函数,该函数更改struct数组中元素的一个值,但是它不起作用,该函数不执行任何操作。我在做什么错了?

输入:

300
9
1999
1050
301
5
2000
1200
20

预期输出:

300 1260

实际输出:无

  #include <stdio.h>

typedef struct 
{int codice;
int mese;
int anno;
int stipendio;}
dipendente;

void aumento (dipendente a[], int dim, int n){
int i;
for (i=0; i<dim; i++)
{if (a[i].anno<2000) a[i].stipendio=a[i].stipendio+(a[i].stipendio*n)/100;;
if (a[i].anno==2000)
    {if (a[i].mese<5)
    a[i].stipendio=a[i].stipendio+(a[i].stipendio*n)/100;}}
}

int main () {
int i;
int p;
dipendente a[2];
for (i=0; i<2; i++){
    scanf("%d",&a[i].codice);
    scanf("%d",&a[i].mese);
    scanf("%d",&a[i].anno);
    scanf("%d",&a[i].stipendio);
}
scanf("%d", &p);
aumento (a, 2, p);
for (i=0; i<2; i++)
 {if(a[i].stipendio>1200) 
    printf("%d %d", a[i].codice, a[i].stipendio);}
return 0; }

1 个答案:

答案 0 :(得分:0)

有两个问题。

  1. 以@ n.m。在注释中指出:if (a[i].anno=2000)正在执行分配,并且始终为true(因为2000为true)。您要比较。为它==

  2. 使用双if (a[i].anno == 2000)
  3. 正如@SamiHult在注释中指出的:对于任何n/1000 <= n && n < 100始终为0,因为nint。使用doublefloat进行浮点运算。或者如@alk所指出的,您可以先相乘然后除,以便可以使用整数(a[i].stipendio * n) / 100

  4. 这是不错的代码,但是缩进会很痛。

修复这些错误之后:

#include <stdio.h>

typedef struct {
    int codice;
    int mese;
    int anno;
    int stipendio;
} dipendente;

void aumento(dipendente a[], int dim, int n) {
    int i;
    for (i = 0; i < dim; i++) {
        if (a[i].anno < 2000) {
            a[i].stipendio = a[i].stipendio + a[i].stipendio * ((double)n / 100);
        }
        if (a[i].anno == 2000) { 
            if (a[i].mese < 5) {
                a[i].stipendio = a[i].stipendio + a[i].stipendio * ((double)n / 100);
            }
        }
    }
}

int main() {
    int i;
    int p;
    dipendente a[2];

    for (i = 0; i < 2; i++){
        scanf("%d", &a[i].codice);
        scanf("%d", &a[i].mese);
        scanf("%d", &a[i].anno);
        scanf("%d", &a[i].stipendio);
    }

    scanf("%d", &p);

    aumento(a, 2, p);

    for (i = 0; i < 2; i++) {
        if (a[i].stipendio > 1200) {
            printf("%d %d", a[i].codice, a[i].stipendio);
        }
    }

    return 0; 
}

您的代码将显示预期的输出。