2

我正在尝试执行此处已完成的操作Read co-ordinates from a txt files using C Program。我尝试输入的数据采用以下格式:

f 10 20 21
f 8 15 11
. . .  .
f 11 12 25

我的点结构的唯一区别是我有一个额外的字符来存储第一列中的字母(可能是也可能不是字母 f)。我想我要么声明我的字符错误,要么我错误地调用它printf。无论哪种方式,我只读取第一行,然后我的程序终止。有任何想法吗 ?

下面是我的 MWE

#define FILEPATHtri "/pathto/grid1DT.txt"
#define FILEPATHorg "/pathto/grid1.txt"
#define MAX  4000

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

typedef struct
{    
    float x;
    float y;
    float z;
    char t[1];
}Point;

int main(void) {

    Point *points = malloc( MAX * sizeof (Point) ) ;

    FILE *fp ;
    fp = fopen( FILEPATHtri,"r");

int i = 0;

while(fscanf(fp, "%s %f %f %f ", points[i].t, &points[i].x, &points[i].y, &points[i].z ) == 4 )
{
    i++;
}
fclose(fp);

int n;


for (n=0; n<=i; n++){

    printf("%c  %2.5f %2.5f %2.5f \n", points[i].t, points[n].x, points[n].y, points[n].z ); }


    printf("There are i = %i  points in the file \n And I have read n = %i  points ",i,n);

return 0;

}
4

2 回答 2

8

由于那里只有 1 个字符,而不是字符串,只需在代码中使用单个字符:

    char t;
}Point;

然后,当您阅读它时:

while(fscanf(fp, "%c %f %f %f ", &points[i].t, &points[i].x, &points[i].y, &points[i].z ) == 4 )
{

我会注意到,在结构的末尾有一个 1 字符的数组,可以让你为struct hack做好准备,这可能不是你的意图......一个很好的理由使用 justchar t而不是char t[1]

还有这一行:

for (n=0; n<=i; n++){

应该

for (n=0; n<i; n++){

最后一点......如果你想打印出你在底部打印中读到的字符,你应该使用n

// note your previous code was points[i].t
printf("%c  %f %f %f \n", points[n].t, points[n].x, points[n].y, points[n].z ); }
于 2013-02-06T12:27:01.290 回答
0

检查这个

  while(fscanf(fp, "%c %f %f %f ", points[i].t, &points[i].x, &points[i].y, &points[i].z ) == 4 )
    {
    i++;
}
fclose(fp);

int n;


for (n=0; n<i; n++){

    printf("%c  %2.5f %2.5f %2.5f \n", points[n].t, points[n].x, points[n].y, points[n].z ); }


    printf("There are i = %i  points in the file \n And I have read n = %i  points ",i,n);
getch();
return 0;

}

修改是因为只有一个字符被读取%s修改为%c也在 printf 它不是points[i].t它的points[n].t。此外,for循环中的限制检查也被更正为n<i

于 2013-02-06T12:36:48.853 回答