我正在尝试以下C代码(保存在名为testgetopt.c的文件中):
#include <stdio.h>
#include <stdlib.h>
#include <getopt.h>
#include <ctype.h>
void usage(char *s)
{
fprintf(stderr, "Usage: %s [-d] -i input-TIFF-file -o output-raw-file\n", s);
fprintf(stderr, "Note: -d indicates debugging option\n");
}
int main(int argc, char **argv) {
char c;
size_t i;
char *itext = NULL, *otext = NULL;
FILE *fout;
short debug = 0;
if ((c = getopt(argc, argv, "di:o:")) == EOF) {
usage(argv[0]);
exit(1);
}
while ((c = getopt(argc, argv, "di:o:")) != EOF) {
switch (c) {
case 'd':
debug = 1;
break;
case 'i':
itext = optarg;
break;
case 'o':
otext = optarg;
break;
case '?':
if (optopt == 'i' || optopt == 'o')
fprintf (stderr, "Option -%c requires an argument.\n", optopt);
else if (isprint (optopt))
fprintf (stderr, "Unknown option `-%c'.\n", optopt);
else
fprintf (stderr, "Unknown option character `\\x%x'.\n", optopt);
usage(argv[0]);
exit(1);
default:
fprintf(stderr, "Both -i and -o are needed\n");
usage(argv[0]);
exit(1);
}
}
printf("debug = %i\n", debug);
if (debug)
printf ("input file = %s, output file = %s\n", itext, otext);
return EXIT_SUCCESS;
}
我使用编译:
gcc testgetopt.c
但无论我是否包含-d,我总是将调试设置为0.程序应该将-d设置为调试,否则为。
做错了什么?
以下是示例:
让我们先试试没有-d
./a.out -i in.dat -o out.dat
debug = 0
接下来让我们尝试使用-d。
./a.out -d -i in.dat -o out.dat
debug = 0
提前感谢您的任何帮助和建议!
答案 0 :(得分:3)
问题是您正在调用getopt
作为完整性检查,然后在成功时不使用其结果。这意味着第一个选项总是被丢弃。您可以通过将-d
作为非首选项轻松验证:
$ ./a.out -i in.dat -o out.dat -d
debug = 1
input file = (null), output file = out.dat
您可以看到-d
这次确实生效了,但第一个参数-i
未设置。
有几种方法可以解决这个问题。建议的方式(恕我直言)是删除第一个getopt
电话。然后更改完整性检查以验证实际选项。也就是说,getopt
循环后应该有代码验证是否已提供所有必需选项。
例如:
int main(int argc, char **argv) {
char c;
size_t i;
char *itext = NULL, *otext = NULL;
FILE *fout;
short debug = 0;
/* REMOVED THIS BLOCK OF CODE
if ((c = getopt(argc, argv, "di:o:")) == EOF) {
usage(argv[0]);
exit(1);
}
*/
while ((c = getopt(argc, argv, "di:o:")) != EOF) {
switch (c) {
case 'd':
debug = 1;
break;
case 'i':
itext = optarg;
break;
case 'o':
otext = optarg;
break;
case '?':
if (optopt == 'i' || optopt == 'o')
fprintf (stderr, "Option -%c requires an argument.\n", optopt);
else if (isprint (optopt))
fprintf (stderr, "Unknown option `-%c'.\n", optopt);
else
fprintf (stderr, "Unknown option character `\\x%x'.\n", optopt);
usage(argv[0]);
exit(1);
default:
fprintf(stderr, "Both -i and -o are needed\n");
usage(argv[0]);
exit(1);
}
}
/* ADD SOME ARGUMENT SANITY CHECKS */
if (!itext || !otext) {
printf("Missing mandatory arguments\n");
exit(1);
}
printf("debug = %i\n", debug);
if (debug)
printf ("input file = %s, output file = %s\n", itext, otext);
return EXIT_SUCCESS;
}
答案 1 :(得分:1)
由于您要拨打getopt
两次,因此需要在两次通话之间重置optind = 1;
。