1

我想知道是否有办法在扫描文件内容的同时检查文件的输入是否有效。

例如,如果我要扫描一个名为 filename 的文件,我希望该文件包含未定义数量的集合,这些集合包含 5 个元素,即姓名、性别、年龄、身高和体重。我将为这个程序创建一个单链表。

所以我将创建 typedef Struct :

typedef struct nodebase{
    char name[20];
    char sex; //M for male and F for female
    int age;
    double height; // Height shall be rounded off to 2 decimal points
    double weight; // Weight shall be rounded off to 2 decimal points
    struct nodebase *next;
}listnode;

int main()
{
    int totalsets; //Counter for total numbers of "sets" within the file
    char filename[20];
    listnode *head;
    listnode *tail;
    listnode *current;
    FILE *flist;

    printf("Type the name of the file for the list: \n");
    scanf("%s",filename);

然后在扫描文件中所有可能的“集合”时,

flist = fopen(filename,"r");
while(!feof(flist))
{
    if(5 == fscanf(flist,"%s[^\n]%c%d%lf%lf",&current->name,&current->sex,&current->age,&current->height,&current->weight)
{
    totalsets++;
}

(这是我的问题):如何让程序告诉用户某些文件输入是否错误(但程序仍将计入那些有效的“集合”)?

就像文件有一个包含整数的集合,而它应该是性别的字符

另一个问题是,程序(在检测到此类无效输入后)是否可以接受用户的编辑并覆盖集合中无效输入部分的编辑?

太感谢了!

*我还没有完成整个编码。我被困在这里,所以我只想在继续之前完成这部分。*我的问题可能已经有了答案,但坦率地说,我不明白它们......

我在 Windows 上使用 VS2012。

4

1 回答 1

1

使用fgets()sscanf()

char buf[256];
while(fgets(buf, sizeof buf, flist) != NULL) {
  if(5 == sscanf(buf,"%19s %c%d%lf%lf", &current->name,...)   {
    totalsets++;
  }
}

一些格式更改:

"%s[^\n]"是无效的语法。 反正%s不会扫描。 用于在分配性别之前占用空间。 \n
" %c"

一般来说,您有一个语法问题:您的文件如何将名称与性别分开?空格可能出现在名称中,也可能不出现。一个名称中可能有多个空格。经典的成语是使用逗号分隔的值,如下所示

  if(5 == sscanf(buf,"%19[^,] , %c ,%d ,%lf ,%lf", &current->name,...)   {
于 2013-09-24T13:44:37.427 回答