Supplying two arguments to command line option using getopt [duplicate]

你说的曾经没有我的故事 提交于 2019-12-01 05:52:44

The POSIX standard getopt() does not support multiple arguments for a single flag letter. There are a couple of options available to you.

One option is to specify the names as arguments to separate option letters (or use the same one twice):

./command -o key -v value
./command -o key -o value

Another option is to use the POSIX standard getsubopt() and a command line notation such as:

./command -o key=value

This works pretty well for your shown scenario if the set of keys is relatively small (not so well if they are large, but you could do without getsubopt() then and simply parse optarg for the = yourself.

Another option is to write a command line parser that will accept multiple arguments as you require. I wrote one to be able to parse the diverse and ill-disciplined argument handling on programs that we use at work - and it is not dreadfully difficult (though it wasn't altogether easy, either). It specifically has to handle N (N > 1) option values after a single flag. Contact me (see my profile) if you want to look at the source. There are some tricky issues to resolve, such as what happens if you expect 3 names after the option letter, but one of the first three arguments starts with a dash -, or -- appears. I only allow a fixed number of arguments, not a variable number, but that is in part because my use cases didn't need to cover a variable number (and it doesn't sound as if yours would, either).

How would getopt know where your -o options end, and where your command arguments start?

One simple workaround is to use to -o specifiers:

$ cat t.c
#include<stdio.h>
#include<getopt.h>

int main(int argc, char **argv)
{
    char op;
    while ((op = getopt(argc, argv, "o:")) != EOF) {
        switch (op) {
            case 'o':
                printf("Option: %s\n", optarg);
                break;
            default:
                break;
        }
    }
}
$ gcc t.c
$ ./a.out -o one -o two -o three
Option: one
Option: two
Option: three
标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!