我的数据库提供了一个文本文件,其中包含打开和关闭 " 的分隔符公式。
这套公式非常有限,一旦确定就很容易实现。
我尝试使用 scanf 来获取参数,并且我想使用分隔符 " 来提供一种使 scanf 失败的机制。

在下面的示例中,最后一个分隔符被忽略,并且未找到分隔符的信息将丢失。我如何控制 sscanf 是否能够匹配整个字符串?

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

unsigned printIdentity(const char * formula){
    unsigned e = 0, found = 0;
    double a, b;
    printf("-------------\n");
    printf("INVESTIGATING: %s\n", formula);
    if( ( 2 == sscanf_s( formula, " \" X * %lf %lf \" ", &a, &b, sizeof( double ), sizeof( double ) ) ) ){
        printf("MATCH: X * %lf + %lf\n", a, b);
        ++found;
    }
    if( ( 1 == sscanf_s( formula, " \" X * %lf \" ", &a, sizeof( double ) ) ) ){
        printf("MATCH: X * %lf\n", a);
        ++found;
    }
    if( found != 1){
        e += 1;
        printf("ERROR: %u formula types\n", found);
    }
    printf("-------------\n");
    return e;
}

unsigned main( void )
{
    unsigned e = 0;

    e += printIdentity("     \"X*3.1\"");
    e += printIdentity("     \"X*3.2-4.2\"");
    e += printIdentity("     \"X*3.3+4.3\"");

    if( 0 != e ){ printf( "ERRORS: %2u\n", e ); }
    else{ printf( "all pass\n", e ); }
    return e;
}

最佳答案



使用格式说明符 %n 获取处理结束的位置并与输入字符串的长度进行比较,其中 n 格式说明符定义为(来自第 7.19.6.2 节 C99 标准的 fscanf 函数):



例如:

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

int main()
{
    const char* good_input = "\"20 21\"";
    const char* bad_input = "\"14 12";
    int a[2];
    int pos;

    if (sscanf(good_input, " \"%d %d\"%n", &a[0], &a[1], &pos) == 2 &&
        pos == strlen(good_input))
    {
        printf("good_input: %d %d\n", a[0], a[1]);
    }

    if (sscanf(bad_input, " \"%d %d\"%n", &a[0], &a[1], &pos) == 2 &&
        pos == strlen(bad_input))
    {
        printf("bad_input: %d %d\n", a[0], a[1]);
    }
}

输出:

good_input: 20 21

http://codepad.org/6G4lLXWg 的在线演示。

关于c - sscanf 用法 - 如何验证已完成的扫描与中止的扫描,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/16712860/

10-11 21:30