我正在C中创建一个处理大量命令行参数的小程序,所以我决定使用getopt为我排序。
但是,我希望两个非选项参数(源文件和目标文件)是必需的,因此在调用程序时必须将它们作为参数,即使没有标志或其他参数。
这是我用标志处理参数的简化版本:
while ((c = getopt(argc, argv, "i:d:btw:h:s:")) != -1) {
switch (c) {
case 'i': {
i = (int)atol(optarg);
}
case 'd': {
d = (int)atol(optarg);
}
case 'b':
buf = 1;
break;
case 't':
time = 1;
break;
case 'w':
w = (int)atol(optarg);
break;
case 'h':
h = (int)atol(optarg);
break;
case 's':
s = (int)atol(optarg);
break;
default:
break;
}
}
如何编辑它以便也处理非选项参数?
我还希望能够在选项之后的或之前使用非选项,那么如何处理呢?
答案 0 :(得分:20)
getopt
设置optind
变量以指示下一个参数的位置。
在选项循环之后添加类似于的代码:
if (argv[optind] == NULL || argv[optind + 1] == NULL) {
printf("Mandatory argument(s) missing\n");
exit(1);
}
修改强>
如果你想在常规参数之后允许选项,你可以做类似的事情:
while (optind < argc) {
if ((c = getopt(argc, argv, "i:d:btw:h:s:")) != -1) {
// Option argument
switch (c) {
case 'i': {
i = (int)atol(optarg);
}
case 'd': {
d = (int)atol(optarg);
}
case 'b':
buf = 1;
break;
case 't':
time = 1;
break;
case 'w':
w = (int)atol(optarg);
break;
case 'h':
h = (int)atol(optarg);
break;
case 's':
s = (int)atol(optarg);
break;
default:
break;
}
else {
// Regular argument
<code to handle the argument>
optind++; // Skip to the next argument
}
}
答案 1 :(得分:8)
可以在这里找到非常好的例子:GNU Libc代码:
#include <ctype.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
int
main (int argc, char **argv)
{
int aflag = 0;
int bflag = 0;
char *cvalue = NULL;
int index;
int c;
opterr = 0;
while ((c = getopt (argc, argv, "abc:")) != -1)
switch (c)
{
case 'a':
aflag = 1;
break;
case 'b':
bflag = 1;
break;
case 'c':
cvalue = optarg;
break;
case '?':
if (optopt == 'c')
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);
return 1;
default:
abort ();
}
printf ("aflag = %d, bflag = %d, cvalue = %s\n",
aflag, bflag, cvalue);
for (index = optind; index < argc; index++)
printf ("Non-option argument %s\n", argv[index]);
return 0;
}
它允许在参数之前和之后有选项。我编译并运行测试示例:
$ ./a.out aa ff bb -a -ctestparam hello
aflag = 1, bflag = 0, cvalue = testparam
Non-option argument aa
Non-option argument ff
Non-option argument bb
Non-option argument hello
答案 2 :(得分:1)
根据https://www.man7.org/linux/man-pages/man3/getopt.3.html
<块引用>默认情况下,getopt() 在扫描时置换 argv 的内容, 所以最终所有的非选项都在最后。另外两个 还实现了扫描模式。如果第一个字符 optstring 是 '+' 或者环境变量 POSIXLY_CORRECT 是 设置,然后选项处理在非选项参数时立即停止 遇到了。如果optstring的第一个字符是'-',则 每个非选项 argv 元素都被当作参数来处理 带有字符代码 1 的选项。(这被程序使用 编写为期望选项和其他 argv 元素 任何顺序并且关心两者的顺序。) 特殊参数“--”强制结束选项扫描,不管 扫描模式。
答案 3 :(得分:0)
GNU Libc示例也不适用于MinGW-W64 7.1.0。 非选项参数不会移到最后,因此解析会在第一个非选项参数之后停止。
因此默认的排列选项似乎不起作用。