sscanf忽略C中的空格

时间:2018-12-29 09:22:04

标签: c string scanf

char s[20] = "test1 16 test2";
char a[20]; char b[20];
sscanf(s, "%s%*d%s", a, b);
printf("'%s' '%s'", a, b); //'test1' 'test2'

sscanf是否已预先编程为忽略空格?
我期待的是:

'test1 ' ' test2'.

1 个答案:

答案 0 :(得分:1)

要在扫描的字符串中包含空格,使用%n指定符来捕获扫描处理的字符数可能是更好的选择。 "%s %n将记录第一个单词和结尾空格所处理的字符数。 %*d%n将扫描并丢弃整数,并记录处理到整数末尾的字符总数。然后%s%n将跳过空格并扫描最后一个单词并记录已处理的字符总数。
使用strncpy复制单词和空格。

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

#define SIZE 19
//so SIZE can be part of sscanf Format String
#define FS_(x) #x
#define FS(x) FS_(x)


int main ( void) {
    char s[SIZE + 1] = "test1 16 test2";
    char a[SIZE + 1]; char b[SIZE + 1];
    int before = 0;
    int after = 0;
    int stop = 0;
    if ( 2 == sscanf(s, "%"FS(SIZE)"s %n%*d%n%"FS(SIZE)"s%n", a, &before, &after, b, &stop)) {
        if ( before <= SIZE) {
            strncpy ( a, s, before);//copy before number of characters
            a[before] = 0;//terminate
        }
        if ( stop - after <= SIZE) {
            strncpy ( b, &s[after], stop - after);//from index after, copy stop-after characters
            b[stop - after] = 0;//terminate
        }
        printf("'%s' '%s'\n", a, b);
    }
    return 0;
}