1

所以在我的程序中有一个结构:

typedef struct Point {
    double x, y;
    char *label;
} point;

然后我从文件中读取一些信息,并将各种标签分配给数组中的各种点结构。问题是虽然 x, y 值被正确分配,但内存中每个结构的标签是相同的。

point set[3];

FILE *file = fopen(argv[1], "r");

int count = 0;
char *pch;
char line[128];

if(file != NULL){
    while(fgets (line, sizeof line, file) != NULL){
        pch = strtok(line, " ");
        int i = 0;

        while(pch != NULL){
            if(i==0){set[count].label = pch;}
            if(i==1){set[count].x = atof(pch);}
            if(i==2){set[count].y = atof(pch);}
            pch = strtok(NULL, " ");
            i++;
        }
        count++;
    }
    fclose(file);
}

//these values should not be the same, though they are
printf("%s\n", set[0].label); 
printf("%s\n", set[1].label);

是否有某种解决方法可以让我的结构保持不变并正确分配值?

4

2 回答 2

4

您需要为每个标签分配内存instance。要么作为一个数组

typedef struct Point {
    double x, y;
    char label[50];
} point;

strcpy(set[count].label, pch);

或者通过为每个label实例动态分配内存

set[count].label = malloc(strlen(pch)+1);
strcpy(label, pch);

(确保稍后free(set[count].label)在后一种情况下)

于 2013-02-01T22:10:35.690 回答
0

所有指针都指向同一个内存位置,这可以通过将结构成员标签更改为

char label[100];

或者通过像这样动态分配内存,

if(i==0){
    set[count].label = (char *) malloc(sizeof(char)*(strlen(pch)+1));
    strcpy(set[count].label,pch);
}
于 2013-02-01T22:15:31.993 回答