0

有没有办法使用 getopt 函数来解析:

./prog -L -U

一样:

./prog -LU    

这是我的尝试(不工作):

while ((c = getopt(argc, argv, "LU")) != -1) {
    switch (c) {
    case 'L':
        // L catch
        break;
    case 'U':
        // U catch
        break;
    default:
        return;
    }
}

在这个简单的示例中只有 2 个参数,但在我的项目中需要 6 个参数的所有组合。例如:-Lor -LURGHXor -LU -RG -Hetc. 可以getopt()处理吗?或者我必须编写复杂的解析器来做到这一点?

4

3 回答 3

2

getopt 看起来确实有能力处理它而且确实如此

以下是一些示例,展示了该程序使用不同的参数组合打印的内容:

% testopt
aflag = 0, bflag = 0, cvalue = (null)

% testopt -a -b
aflag = 1, bflag = 1, cvalue = (null)

% testopt -ab
aflag = 1, bflag = 1, cvalue = (null)
于 2013-03-11T01:16:44.890 回答
2

它的行为完全符合您的要求:

#include <stdio.h>
#include <unistd.h>

int main(int argc, char** argv) 
{
    int c;

    while ((c = getopt(argc, argv, "LU")) != -1) {
        switch (c) {
        case 'L':
            puts("'L' option");
            break;
        case 'U':
            // U catch
            puts("'U' option");
            break;
        default:
            puts("shouldn't get here");
            break;
        }
    }

    return 0;
}

并测试它:

precor@burrbar:~$ gcc -o test test.c
precor@burrbar:~$ ./test -LU
'L' option
'U' option
precor@burrbar:~$ ./test -L -U
'L' option
'U' option

getopt()是遵循POSIX "Utiltiy Syntax Guidelines"的 POSIX 标准函数,其中包括以下内容:

准则 5:当分组在一个“-”分隔符后面时,应该接受没有选项参数的选项。

于 2013-03-11T01:24:15.570 回答
2

除了缺少大括号,您的代码对我来说很好:

#include <stdio.h>
#include <unistd.h>

int main(int argc, char **argv) {
    int c;
    while ((c = getopt(argc, argv, "LU")) != -1) {
        switch (c) {
        case 'L':
            // L catch
            printf("L\n");
            break;
        case 'U':
            // U catch
            printf("U\n");
            break;
        default:
            break;
        }
    }
    return 0;
}
$ ./a.out -LU
L
U
$ ./a.out -L
L
$
于 2013-03-11T01:26:12.507 回答