这是我的问题。我希望能够在我的应用程序中支持此功能:
./cipher [-devh] [-p PASSWD] infile outfile
我设法获得了
[-devh]
的支持,但是我不知道如何获得[-p PASSWORD]
的支持。当然,我可以手动检查argc
是否为2
,然后有一堆标志,但是我更喜欢使用getopts
,并认为这样会更容易。这是我的[-devh]
代码,我该如何扩展它以便支持剩余的代码?while ( (c = getopt(argc, argv, "devh")) != -1) {
switch (c) {
case 'd':
printf ("option d\n");
dopt = 1;
break;
case 'e':
printf ("option e\n");
eopt = 1;
break;
case 'v':
printf ("option v\n");
vopt = 1;
break;
case 'h':
printf ("option h\n");
hopt = 1;
break;
default:
printf ("?? getopt returned character code 0%o ??\n", c);
}
}
最佳答案
直接从getopt
的GNU C Library Reference页获取:
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();
}
c
这是一个带有可选参数的参数,因此这可能是您正在寻找的语法。我理解
getopt
所做的是遍历给定的参数,一次解析一个。因此,当到达需要第二个参数的选项c
(在您的情况下为p
)时,它将存储在optarg
中。这已分配给您选择的变量(此处为cvalue
),以供以后处理。