C编程中带有“for-loop”的“struct”对象

时间:2011-12-09 23:52:37

标签: c for-loop struct

此代码与C ..中的'struct'有关。

我创建了一个带有属性名称和年龄的struct spieler。 通过使用for循环我让用户创建struct对象。 它们被命名为sp [i] - > sp1,sp2等。

问题是对象是否已创建。但我只能在for循环中使用它们。 如果我想在main函数中获取“sp1.name”的值,则它不起作用。 我该如何解决?

struct spieler{
  char name[20];
  int age;
};

void erzeuge();

int main() {

int anzahl = 2;
printf("Anzahl Spielern: ");
scanf("%d",&anzahl);

erzeuge(anzahl);

printf("Es sind %d Spielern",anzahl);
/*for(i;i<anzahl;i++){
    printf("%d.%s",i, sp[i].name);
}*/

getchar();

}

void erzeuge(int anzahl){

int i=0;
for(i;i<anzahl;i++){
    struct spieler sp[i];
    printf("Struct fuer Spieler_%d wurde erzeugt\n", i);
    getchar();
    printf("Name: ");
    scanf("%s",sp[i].name);

    printf("%s\n",sp[i].name);
}

3 个答案:

答案 0 :(得分:1)

你必须从erzeuge返回一系列玩家,比如

struct spieler *erzeuge(int anzahl){
    struct spieler *mannschaft = malloc(anzahl*sizeof(struct spieler));
    int i;
    for(i = 0; i < anzahl; ++i){
        // prompt
        scanf("%18s",&mannschaft[i].name);
        ...
    }
    return mannschaft;
}

答案 1 :(得分:1)

您应该将sp声明为全局范围的指针,并使用erzeuge在函数malloc内为其分配内存。

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

struct spieler {
    char name[20];
    int age;
};

struct spieler *sp;    // Add this

void erzeuge();

int main() {
    int anzahl;
    printf("Anzahl Spielern: ");
    scanf("%d", &anzahl);

    erzeuge(anzahl);

    printf("Es sind %d Spielern\n", anzahl);

    int i;
    for(i = 0; i < anzahl; i++){
        printf("%d.%s\n", i, sp[i].name);
    }

    if (sp) {
        free(sp);
    }
    getchar();
    return 0;
}

void erzeuge(int anzahl) {
    // Add the following line to allocate memory
    sp = (struct spieler*) malloc(anzahl * sizeof(struct spieler));

    int i;
    for (i = 0; i < anzahl; i++) {
        // Remove the following line because it create an array of "i" elements
        // struct spieler sp[i];
        printf("Struct fuer Spieler_%d wurde erzeugt\n", i);
        getchar();
        printf("Name: ");
        scanf("%s",sp[i].name);

        printf("%s\n",sp[i].name);
    }
}

答案 2 :(得分:0)

没有malloc的替代解决方案:

void erzeuge(struct spieler* sp, int anzahl)
{
    ...
}

int main()
{
    int anzahl = 2;

    ...

    struct spieler sp[anzahl];
    erzeuge(sp,anzahl);

    ...
}