int getopt_long_only(int argc, char * const argv[], const char *optstring, const struct option *longopts, int *longindex);
1、argc和argv通常直接从main()到两个参数传递而来。
2、optsting是选项参数组成的字符串,如果该字符串里任一字母后有冒号,那么这个选项就要求有参数。
3、longopts是指向数组的指针,这个数组是option结构数组,option结构称为长选项表,其声明如下:
struct option {
const char *name;
int has_arg;
int *flag;
int val;};
结构中的元素解释如下:
const char *name:选项名,前面没有短横线。譬如"help"、"verbose"之类。
int has_arg:描述长选项是否有选项参数,如果有,是哪种类型的参数,其值见下表:
符号常量 数值 含义
no_argument 0 选项没有参数
required_argument 1 选项需要参数
optional_argument 2 选项参数是可选的
int *flag:
如果该指针为NULL,那么getopt_long返回val字段的值;
如果该指针不为NULL,那么会使得它所指向的结构填入val字段的值,同时getopt_long返回0
int val:
如果flag是NULL,那么val通常是个字符常量,如果短选项和长选项一致,那么该字符就应该与optstring中出现的这个选项的参数相同;
4、longindex参数一般赋为NULL即可;如果没有设置为NULL,那么它就指向一个变量,这个变量会被赋值为寻找到的长选项在longopts中的索引值,这可以用于错误诊断。
举例:
static struct option g_options[] = {
{"help", no_argument, NULL, 'h'},
{"version", no_argument, NULL, 'v'},
{"test", no_argument, NULL, 't'},
{"conf", required_argument, NULL, 'c'},
{"manual", no_argument, NULL, 'm'},
{NULL, 0, NULL, 0}
};
const char *optstr = "hvtmc:";
while ((opt = getopt_long_only(argc, argv, optstr, g_options, NULL)) != -1) {
switch (opt) {
case 'c':
if (config_keyword_parse(optarg, g_config_keywords, cfg) < 0) {
return -1;
}
conf = 1;
break;
case 'h':
config_help();
exit(0);
break;
case 'v':
version();
exit(0);
break;
case 't':
test = 1;
break;
case 'm':
config_manual();
exit(0);
break;
default:
return -1;
}
}