首先先解释一下 getopt_long 的 struct 的形式。
const struct option longopts[] = {
{ "help", 0, 0, 'h' },
{ "container", 1, 0, 'c' },
{ "statistics", 1, 0, 's' },
{ "verbose", 0, 0, 'v' },
{ 0, 0, 0, 0 },
};
option结构在getopt.h中的声明如下:
struct option {
const char *name;
int has_args;
int *flag;
int val;
};
name:该命令的完整名字,即在linux环境下输入“./project_name --name”所执行的命令。
has_arg:该命令的参数形式,‘0’为无参数,‘1’为有参数,‘2’为可有可无。
flag:如果为NULL,getopt_long()返回该结构val字段中的数值;如果不为NULL,getopt_long()会使得它所指向的变量中填入val字段中的数值,并且getopt_long()返回0;通常flag设置为NULL,val设置为与该长选项对应的短选项。(此处没吃透,故直接复制现有文章。)
val:该命令的缩写,即在linux环境下输入“./project_name -val”所执行的命令。
注意:
{ 0, 0, 0, 0 },
此行必须加上,否则在输入非所知命令时会出现bug,貌似是陷入死循环或是直接到执行之后的命令(懒得测试了,反正不要忘记加上就是了)。(注:可在case中添加一行default 取代 {0,0,0,0} 的作用)
了解 struct 后,我们构造示例程序如下:
# include <stdlib.h>
# include <iostream>
# include <getopt.h>
using namespace std;
const struct option longopts[] = {
{ "help", 0, 0, 'h' },
{ "container", 1, 0, 'c' },
{ "statistics", 1, 0, 's' },
{ "verbose", 0, 0, 'v' },
{ 0, 0, 0, 0 },
};
int main(int argc, char * argv[]) {
int c;
int queuemode;
int s_num;
bool verbose = false;;
while ((c = getopt_long(argc, argv, "hc:s:v", longopts, NULL)) != -1){
switch (c){
case 'h':
cout << "This program is useless." << endl;
exit(1);
break;
case 'c':
if (strcmp(optarg,"POOR_MAN") == 0){
queuemode = 0;
}
else if (strcmp(optarg, "SORTED") == 0){
queuemode = 1;
}
else if (strcmp(optarg, "BINARY") == 0){
queuemode = 2;
}
else if (strcmp(optarg, "PAIRING") == 0){
queuemode = 3;
}
else {
cout << "illegel container" << endl;
exit(1);
}
break;
case 's':
s_num = atoi(optarg);
break;
case 'v':
verbose = true;
}
}
return 0;
}
opstring: 所有命令的缩写合集,及 val 的合集。其中缩写后面加 “:" 代表该选项必须具备参数,参数与选项之间以空格分隔,例如:start -f flile。
longopts: 填入之前我们构建的struct option[]。
longindex:此参数如果没有设置为NULL,那么它就指向一个变量,这个变量会被赋值为寻找到的长选项在longopts中的索引值,这可以用于错误诊断。(此处未吃透,故直接复制)。
当命令全部读完后,getopt_long 返回 -1。
此时,我们输入的短命令(-val)会以 int 的形式存储在 ‘c’ 中,而我们输入的参数则会以 char[] 的形式存储于 ‘optarg’ 中。
注:optarg为getopt里面现成的参数,直接调用即可。
{ 0, 0, 0, 0 },