用fscanf读取空格

时间:2013-06-12 14:14:55

标签: c file scanf

我想从存储数据的文件中读取:

Max Mustermann 12345

现在我想用这段代码读取数据:

FILE *datei;
char text[100];
int il;

datei = fopen ("datei.txt", "r");

if (datei != NULL)
{
    fscanf(datei, ": %s %d", text, &il);

    printf("%s %d", text, il);
    fclose(datei);
}

但是这段代码只扫描'Max'(因为有一个空格),然后是下一个'Mustermann'作为int。我想sotre'Max Mustermann'是char数组,'12345'在int变量中。我怎么能用fscanf读取空格?或者是否有另一种方法可以从文件中获取不同变量的值?

3 个答案:

答案 0 :(得分:2)

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

int main(int argc, char *argv[]) {
    FILE *datei;
    char text[100];
    char line[128], *p;
    int il;

    datei = fopen ("data.txt", "r");

    if (datei != NULL){
        if (fgets(line, sizeof(line), datei) != 0){ //read one line
            p=strrchr(line, ' ');//search last space
            *p = '\0';//split at last space
            strcpy(text, line);
            il = atoi(p+1);//or sscanf(p+1, "%d", &il);
            printf("%s, %d", text, il);
        }
        fclose(datei);
    }
    return 0;
}

也使用fscanf。

char *p;
//"%[^0123456789] is reading other digit character
fscanf(datei, "%[^0123456789]%d", text, &il);
p=strrchr(text, ' ');//search last space
*p = '\0';//replace last space (meant drop)
printf("%s, %d", text, il);
手工制作?

#include <ctype.h>
    if (datei != NULL){
        int ch, i=0;
        while(EOF!=(ch=fgetc(datei)) && i<100-1){
            if(isdigit(ch)){
                ungetc(ch, datei);
                text[--i] = '\0';
                break;
            }
            text[i++] = ch;
        }
        if(i >= 99){
            fprintf(stderr, "It does not conform to the format\n");//maybe no
            fclose(datei);
            return -1;
        }
        fscanf(datei, "%d", &il);
        printf("%s, %d\n", text, il);
        fclose(datei);
    }

答案 1 :(得分:1)

这取决于文件的格式。如果始终为first-name space last-name space number,那么您可以使用两个%s来获取名字和姓氏。

if (fscanf(datei, "%s %s %d", text1, text2, &il) == 3)
    ...then OK...
else
    ...failed...

例如,如果数字前面有一个特殊/唯一字符(假设为“!”),那么您可以使用这样的scanf格式吗?

if (fscanf(datei, "%[^!]!%d", text, &il) != 2)
    ...

答案 2 :(得分:0)

除非你能保证在号码之前总有两个名字,或者文件可以被删除(可能是名字和号码之间的逗号),那么实际上没有任何方法可以自动完成你想做的事。

如果名字是:Max Mustermann 3rd

我认为数据输入文件需要'清理'才能处理它。