如何使用fscanf读取一行来解析变量?

时间:2013-05-04 07:09:49

标签: c parsing file-io scanf

我正在尝试在每一行中读取使用以下格式构建的文本文件,例如:

a/a1.txt
a/b/b1.txt
a/b/c/d/f/d1.txt

使用fscanf从文件中读取一行,如何自动将该行解析为*element*next的变量,每个元素都是路径部分({{1 },aa1.txtbc等等。

我的结构如下:

d1.txt

1 个答案:

答案 0 :(得分:2)

最好使用fgets将整行读入内存,然后strtok将该行标记为单个元素。

以下代码显示了执行此操作的一种方法。首先,标题和结构定义:

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

typedef struct sMyPath {
    char *element;
    struct sMyPath *next;
} tMyPath;

然后,main函数,最初创建一个空列表,然后从用户那里获取输入(如果你想要一个强大的输入函数,请参阅here,下面的内容仅为示例目的的简化版本):

int main(void) {
    char *token;
    tMyPath *curr, *first = NULL, *last = NULL;
    char inputStr[1024];

    // Get a string from the user (removing newline at end).

    printf ("Enter your string: ");
    fgets (inputStr, sizeof (inputStr), stdin);
    if (strlen (inputStr) > 0)
        if (inputStr[strlen (inputStr) - 1] == '\n')
            inputStr[strlen (inputStr) - 1] = '\0';

然后提取所有令牌并将其添加到链表中的代码。

    // Collect all tokens into list.

    token = strtok (inputStr, "/");
    while (token != NULL) {
        if (last == NULL) {
            first = last = malloc (sizeof (*first));
            first->element = strdup (token);
            first->next = NULL;
        } else {
            last->next = malloc (sizeof (*last));
            last = last->next;
            last->element = strdup (token);
            last->next = NULL;
        }
        token = strtok (NULL, "/");
    }

(请注意,strdup不是标准C,但您总能在某处找到a decent implementation。然后我们打印出链接列表以显示它已正确加载,然后清理并退出:

    // Output list.

    for (curr = first; curr != NULL; curr = curr->next)
        printf ("[%s]\n", curr->element);

    // Delete list and exit.

    while (first != NULL) {
        curr = first;
        first = first->next;
        free (curr->element);
        free (curr);
    }

    return 0;
}

示例运行如下:

Enter your string: path/to/your/file.txt
[path]
[to]
[your]
[file.txt]

我还要提一下,虽然C ++允许你从结构中省略struct关键字,但C却没有。你的定义应该是:

struct MyPath {
    char *element;         // Pointer to the string of one part.
    struct MyPath *next;   // Pointer to the next part - NULL if none.
};