有没有办法在scanf中有可选的输入变量?
我有一个扫描输入直到EOF的程序。该输入可能如下所示:
+ 10 20 30
- 10 20 30
? 10
当我输入(或从文件中读取)+或 - 它后面总是跟着三个数字,但是当我输入时?它只跟一个数字(总是)。
我目前的代码如下:
#include <stdio.h>
#include <stdlib.h>
int main(){
char action;
int dc1,dc2,cable;
while(scanf(" %c %d %d %d",&action,&dc1,&dc2,&cable)!=EOF){
if((dc1==dc2)||(cable<1)||(dc1>999)||(dc2>999)||(dc1<0)||(dc2<0)){
printf("Wrong input.\n");
return 0;
}
else{
if(action=='+'){
/*code*/
}
else if(action=='-'){
/*code*/
}
else if(action=='?'){
/*code*/
}
else{
printf("Wrong input.\n");
return 0;
}
}
}
return 0;
}
现在它要求我一直输入三个数字,即使我想输入&#34;?&#34;动作。
有没有办法让scanf中的一些变量可选,所以输入&#34;? 10&#34;也是有效的。
PS。
我已经删除了代码,所以它不会太长。我希望我已经包含了所有必要的内容。
如果我不必过多地修改代码,我也会感激,因为它基本上完成了,一切都像它需要的那样工作。这是阻止我输入代码的唯一因素。
PPS。这是作业。
答案 0 :(得分:2)
正如评论中所述,可以使用sscanf()
和fgets
轻松检查。
我们使用fgets
读取一行,然后将其传递给解析器函数。该函数试图解析该行。 sscanf
返回传递的成功参数数量。基于count
我们决定它是哪个输入。
此代码只是如何开始的起点。它避免了大量的错误检查,并专注于Jonathan Leffler上面讨论的技术。
代码示例
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define BUFFSIZE 256
void add (int b,int c,int d){
printf("%d+%d+%d=%d\n",b,c,d,b+c+d);
}
void sub (int b,int c,int d){
printf("%d-%d-%d=%d\n",b,c,d,b-c-d);
}
void query (int a){
printf("?%d\n",a);
}
void parseAndProcess(const char *buf){
char a;
int b, c, d;
size_t ct;
ct = sscanf(buf,"%c%d%d%d",&a,&b,&c,&d);
if( ct <= 1){
//error
}
else if( ct==2 ) {
if( a == '?'){
query(b);
}
else{
//error
}
}
else if( ct == 3){
// error
}
else if( ct == 4){
if( a == '+') add(b,c,d);
else if( a == '-') sub(b,c,d);
else{
//error
}
}
else{
// error
}
}
int main(void){
char buf[BUFFSIZE];
while(fgets(buf,BUFFSIZE,stdin)){
parseAndProcess(buf);
}
return EXIT_SUCCESS;
}
此处add
,sub
方法将针对实际代码实施。上面显示了一个演示实现。例如,add
,sub
中没有溢出检查。