0

我正在尝试读取一个字符串的文本文件,后跟一个数字,然后存储它的内容。到目前为止,如果格式正确,我只能让它打印出字符串(或只是 int,或两者)。如何跳过空白行或格式错误的行(当前与前一行重复)并存储结果?

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "list.h"

#define MAX_LINE_LENGTH 400

int main ()
{
    char input[MAX_LINE_LENGTH];
    char name[MAX_LINE_LENGTH];
    int number;

    FILE *fr;
    fr = fopen ("updates.txt", "r");
    if (!fr)
    return 1;  
    while (fgets(input,MAX_LINE_LENGTH, fr)!=NULL)
    {
        /* get a line, up to 200 chars from fr.  done if NULL */
        sscanf (input, "%s", name);
        /* convert the string to just a string */
        printf ("%s\n", name);
    }
    fclose(fr);
    return 0;
}

示例文本文件

冷 5
10 火焰

小狗 4

火焰 11
冷 6
4

3 回答 3

2

您可以使用 fscanf 功能。格式字符串中的空格使其忽略任何空格、制表符或换行符。

于 2013-11-14T08:03:41.657 回答
0

代替

while (fgets(input,MAX_LINE_LENGTH, fr)!=NULL)
{
  /* get a line, up to 200 chars from fr.  done if NULL */
  sscanf (input, "%s", name);
  /* convert the string to just a string */
  printf ("%s\n", name);
}

这样做(它将删除所有空格和 \n 并取出令牌)

while (fgets(input,MAX_LINE_LENGTH, fr)!=NULL)
{
  char* token = strtok(input, " \n");
  while ( token != NULL )
  {
    printf( "%s", token );
    token = strtok(NULL, " \n");
  }
}
于 2013-11-14T08:04:30.693 回答
0

您的问题的可能解决方案在下面的代码中。

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "list.h"

#define MAX_LINE_LENGTH 400

int main ()
{
    char input[MAX_LINE_LENGTH];
    char name[MAX_LINE_LENGTH];
    char namet[MAX_LINE_LENGTH];
    int number;

    FILE *fr;
    fr = fopen ("updates.txt", "r");
    if (!fr)
    return 1;
    while (fgets(input,MAX_LINE_LENGTH, fr)!=NULL)
    {
        memset(name, 0, MAX_LINE_LENGTH);
        memset(namet, 0, MAX_LINE_LENGTH);
        /* get a line, up to 200 chars from fr.  done if NULL */
        //sscanf (input, "%s %d", name, &number);
        sscanf (input, "%s %s", name, namet);

        // TODO: compare here for name shall only contain letters A-Z/a-z
        // TODO: compare here for namet shall only contain digits

        // If both above condition true then go ahead
        number = atoi(namet);

        if(name[0] != '\0')
        {
                /* convert the string to just a string */
                printf ("%s %d\n", name, number);
                //printf ("%s %s\n", name, namet);
        }
    }
    fclose(fr);
    return 0;
}
于 2013-11-14T07:55:35.413 回答