1

我正在尝试使用具有制表符分隔符的 strtok 拆分一行。我的代码和输入如下。我想将这些令牌存储到 field1、field2、field3 中。

代码:

while(fgets(line,80,fp1)!=NULL) //Reading each line from file to calculate the file size.
{
    field1=strtok(line," ");
    //field1=strtok(NULL,"");
    field2=strtok(NULL," ");
    field3=strtok(NULL," ");
    if(flag != 0)
    printf("%s",field1);
    flag++;
}

输入:

315     316     0.013
315     317     0.022
316     317     0.028
316     318     0.113
316     319     0.133
318     319     0.051
320     324     0.054
321     322     0.054

我当前的输出:(如果我打印 field1)

315     316     0.013
315     317     0.022
316     317     0.028
316     318     0.113
316     319     0.133
318     319     0.051
320     324     0.054
321     322     0.054
4

3 回答 3

3
while(fgets(line,80,fp1)!=NULL) //Reading each line from file to calculate the file size.
{
    char *p;

    p = strtok(line, '\t');
    int itr = 0;
    while(p != NULL) {
        if(itr == 0){  
           strcpy(field1, p);
           itr++;
        }  
        else if(itr == 1){
           strcpy(field2, p);
           itr++;
        }
        else {
           strcpy(field3, p); 
           itr = 0;
        }
    p = strtok(NULL, '\t');
    }
    printf("%s%s%s", field1, field2, field3);
    // store it in array if needed         
}
于 2012-11-30T05:51:53.070 回答
2

看看这里的信息:

http://www.cplusplus.com/reference/cstring/strtok/

您将空格指定为用作标记器的分隔符,但您的字符串没有空格(对我来说似乎是制表符)。所以,strtok 所做的就是从头开始寻找 tab("\t")。它一直到字符串的末尾并没有找到它,但它确实找到了末尾的 \0,因此它在开头返回字符串,因为 strtok 总是在要找到的标记之前给出字符串。

将分隔符更改为“\t”,然后打印每个字段变量。

于 2012-11-30T05:51:32.650 回答
2

我建议只使用 sscanf。它为您处理制表符作为分隔符。

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

int
main()
{
    char line[80], field1[32], field2[32], field3[32];
    FILE *fp;

    fp = fopen("testfile", "r");
    if (fp == NULL) {
            printf("Could not open testfile\n");
            exit(0);
    }

    while (fgets(line, sizeof(line), fp) != NULL) {
            sscanf(line, "%s%s%s", field1, field2, field3);
            printf("%s %s %s\n", field1, field2, field3);
    }

    exit(0);
}
于 2012-11-30T06:11:42.577 回答