int getopt_long(int argc, char * const argv[],const char *optstring, const struct option *longopts,int *longindex);
函数中的argc和argv通常直接从main()的两个参数传递而来。optsting是选项参数组成的字符串:
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中
字符串optstring可以下列元素:
1.单个字符,表示选项,
2.单个字符后接一个冒号:表示该选项后必须跟一个参数。参数紧跟在选项后或者以空格隔开。该参数的指针赋给optarg。
3 单个字符后跟两个冒号,表示该选项后可以有参数也可以没有参数。如果有参数,参数必须紧跟在选项后不能以空格隔开。该参数的指针赋给optarg。(这个特性是GNU的扩张)。
optstring是一个字符串,表示可以接受的参数。例如,"a:b:cd",表示可以接受的参数是a,b,c,d,其中,a和b参数后面跟有更多的参数值。(例如:-a host --b name)
最后一个参数:longindex参数一般赋为NULL即可;如果没有设置为NULL,那么它就指向一个变量,这个变量会被赋值为寻找到的长选项在longopts中的索引值,这可以用于错误诊断。
例如:
#include <getopt.h>
#include <stdio.h>
#include <stdlib.h>
static const char *program;
static const struct option long_opts[] = {
{"help", no_argument, NULL, 'h'},
{"version", no_argument, NULL, 'v'},
{"author", required_argument, NULL, 'a'},
{"date", no_argument, NULL, 'd'},
{"time", no_argument, NULL, 't'},
{0, 0, 0}
};
void usage()
{
printf("argument: \n");
printf("\t --version,-v \n"
"\t --author, -a\n"
"\t --date, -d\n"
"\t --time, -t\n"
"\t --help, -h\n"
);
}
int main(int argc,char* argv[])
{
char *str;
int long_index,c,ret;
program = argv[0];
while((c=getopt_long(argc, argv, "hva:dt", long_opts, &long_index))!=EOF){
switch(c){
case 'h':
usage();
exit(0);
case 'v':
printf("version 1.2.0\n");
break;
case 'a':
str=optarg;
printf("author is %s\n",str);
break;
case 'd':
printf("date is 2016.10.20\n");
break;
case 't':
printf("time is 12:30:45\n");
break;
default:
printf("ERR: please try: %s -h\n", program);
exit(0);
}
}
return 0;
}
运行结果:
# ./a -v
version 1.2.0
# ./a -a lucy
author is lucy
# ./a -a lucy -d
author is lucy
date is 2016.10.20
# ./a -a lucy -d -t
author is lucy
date is 2016.10.20
time is 12:30:45
# ./a -vdt
version 1.2.0
date is 2016.10.20
time is 12:30:45
本文转自 Linux_woniu 51CTO博客,原文链接:http://blog.51cto.com/linuxcgi/1965337