C:如何使scanf()输入具有以下两种格式之一?

时间:2018-10-28 18:00:20

标签: c scanf

我需要执行此程序,该程序将两个三角形进行比较。

基本上,除了用户在其中输入初始数据的零件之外,其他所有东西都可以正常工作。我的主要问题是条件之一是用户可以输入三角形的三个边的长度或三个顶点的X,Y坐标。


我需要它像以下两种方式一样工作:
此输入意味着用户使用了边的长度:

{ 5 , 5 , 5 }

此输入表示用户使用了顶点的X,Y坐标:

{ [ 1 ; 1 ] , [ 3 ; 1 ] , [ 2 ; 2 ] }

这是我尝试解决该问题的代码,但是由于某些原因,如果用户使用顶点输入第一个条件(检查它是否不是边长),则会弄乱一切。

#include <stdio.h>

int main() {
    double a, b, c, A[2], B[2], C[2];
    char s;

    if(scanf(" { [ %lf ; %lf  ] , [ %lf ; %lf  ] , [ %lf ; %lf  ] }%c", 
            &A[0], &A[1], &B[0], &B[1], &C[0], &C[1], &s) != 7 && s != '\n') {
        s = ' ';

        if(scanf(" { %lf , %lf , %lf }%c", &a, &b, &c, &s) != 4 && s != '\n') {
            printf("error\n");
            return 1;
        }

    }

    // rest of the code...

    printf("success\n");
    return 0;
}

如果我交换这两个条件,它将切换,并且仅当用户使用顶点输入时它才起作用...

是否有可能使它像这样简单地工作?

2 个答案:

答案 0 :(得分:3)

最好使用char buf[big_enough * 2]; fgets(buf, sizeof buf, stdin)读取,然后用sscanf(buf, " { [ %lf ...sscanf(buf, " { %lf ...进行解析。


但是如果代码必须保留在scanf()上:

OP的第一个scanf(" { [ %lf ...消耗了第二个'{'中的scanf( " { %lf ...

相反:

if(scanf(" { [ %lf ; %lf  ] , [ %lf ; %lf  ] , [ %lf ; %lf  ] }%c", 
        &A[0], &A[1], &B[0], &B[1], &C[0], &C[1], &s) != 7 && s != '\n') {
    s = ' ';

    //    no  {
    //        v
    if(scanf(" %lf , %lf , %lf }%c", &a, &b, &c, &s) != 4 && s != '\n') {
        printf("error\n");
        return 1;
    }

}

首选的fgets()方式:

// Form a reasonable, yet generous buffer
#define I (50 /* rough estimate of characters use to read a double, adjust as needed */)
//                          { [ 1 ; 1 ] , [ 3 ; 1 ] , [ 2 ; 2 ] }\n\0
#define LINE_SIZE_EXPECTED (4 + I+3+I  +7  +I+3+I  +7  +I+3+I+6)
char buf[LINE_SIZE_EXPECTED * 2]; // Lets us use 2x for extra spaces, leading zeros, etc.

if (fgets(buf, sizeof buf, stdin)) {
  // Consider using "%n" to detect a complete scan and check for no trailing junk
  int n = 0;
  sscanf(buf, " { [ %lf ; %lf  ] , [ %lf ; %lf  ] , [ %lf ; %lf  ] } %n",
      &A[0], &A[1], &B[0], &B[1], &C[0], &C[1], &n);
  if (n && buf[n] == '\0') {
    // successful scan
  } else {
    n = 0;
    sscanf(" { %lf , %lf , %lf } %n", &a, &b, &c, &n);
    if (n && buf[n] == '\0') {
      // successful scan
    } else
      // both scans failed
    }
  }
}

答案 1 :(得分:2)

您应该使用sscanf

关注code可能会起作用:

#include <stdio.h>

int main() {
    double a, b, c, A[2], B[2], C[2];
    char *s = NULL;
    size_t n = 0;

    getline(&s, &n, stdin);

    if(sscanf(s, " { [ %lf ; %lf  ] , [ %lf ; %lf  ] , [ %lf ; %lf  ] }", &A[0], &A[1], &B[0], &B[1], &C[0], &C[1]) != 6
        && sscanf(s, " { %lf , %lf , %lf }", &a, &b, &c) != 3) {

        printf("error\n");
        return 1;
    }

    // rest of the code...

    printf("success\n");
    return 0;
}