getopt_long用于得到输入参数。
其中用到的2个重要的全局变量为
(1)optarg-用于输入选项后面的参数
(2)optind-是个索引。标记非选项参数的起始位置。
具体getopt_long见如下说明。
头文件 #include
函数原型 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中
出现的这个选项的参数相同;
最后一个参数:longindex参数一般赋为NULL即可;如果没有设置为NULL,那么它就指向一个变量,这个变量
会被赋值为寻找到的长选项在longopts中的索引值,这可以用于错误诊断。
- #include <iostream>
- #include <getopt.h>
- using namespace std;
- extern char *optarg;
- int main( int argc, char **argv )
- {
- int c = 0;
- struct option long_options[] = {
- {"help", no_argument, 0, 'h'},
- {"version", no_argument, 0, 'v'},
- {"param", required_argument, 0, 'p'},
- {0,0,0,0}
- };
- printf( "optind=[%d]\n", optind );
- while( (c = getopt_long( argc, argv, "hvp:", long_options, NULL ) ) != -1 )
- {
- switch( c )
- {
- case 'h' :
- cout << "help" << endl;
- break;
- case 'v' :
- cout << "version" << endl;
- break;
- case 'p' :
- cout << "p:=" << optarg << endl;
- cout << "p:=" << argv[optind] << endl;
- break;
- default:
- cout << "error" << endl;
- };
- }
- for( int i=0; i<argc; i++ )
- {
- cout << argv[i] << endl;
- }
- printf( "optind=[%d]\n", optind );
- printf( "argc=[%d]\n", argc );
- return 0;
- }
阅读(1272) | 评论(0) | 转发(0) |