首页 > 解决方案 > 在函数中使用结构数组?

问题描述

我正在尝试编写一个函数来更改结构数组中元素的一个值,但它不起作用,该函数什么也不做。我究竟做错了什么?

输入:

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; }

标签: c

解决方案


有两个问题。

  1. 正如@nm 在评论中指出的那样:if (a[i].anno=2000)正在执行一项任务并且总是正确的(因为2000是正确的)。你想比较。==使用双倍if (a[i].anno == 2000)

  2. 正如@SamiHult 在评论中指出的那样:n/100any 将始终为 0 0 <= n && n < 100,因为nint. 使用doublefloat进行浮点数学运算。或者正如@alk 指出的那样,你可以先乘然后除,这样你就可以留在整数数学中(a[i].stipendio * n) / 100

  3. 这是很好的代码,但缩进很痛苦。

修复这些错误后:

#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; 
}

您的代码打印预期的输出。


推荐阅读