学习Linux命令行实用工具:getopt (linux getopt)
在Linux命令行中,经常需要使用命令行参数来指定输入输出文件、控制程序行为以及传递其他信息。为了方便使用,通常使用getopt工具来解析这些命令行参数。本文将介绍getopt的用法以及常用选项。
1. getopt简介
getopt是一个在命令行中解析参数选项的标准C库函数。它可以将命令行参数中的选项和参数解析出来,并提供一些常见的选项,如短选项、长选项、可选参数等。
2. getopt用法
getopt函数的原型如下:
“`c
#include
int getopt(int argc, char * const argv[], const char *optstring);
extern char *optarg;
extern int optind, opterr, optopt;
“`
参数说明:
– argc:命令行参数个数
– argv:命令行参数数组
– optstring:选项字符串,用于描述程序支持的选项
getopt函数的返回值表示当前解析的选项符号,如果解析完毕,则返回-1,否则返回下一个选项的符号。
下面是getopt的示例代码:
“`c
#include
#include
int mn(int argc, char *argv[]) {
int c;
while((c = getopt(argc, argv, “p:o:”)) != -1) {
switch(c) {
case ‘p’:
printf(“option p with value %s\n”, optarg);
break;
case ‘o’:
printf(“option o with value %s\n”, optarg);
break;
case ‘?’:
printf(“unknown option -%c\n”, optopt);
break;
case ‘:’:
printf(“option -%c requires an argument\n”, optopt);
break;
}
}
return 0;
}
“`
运行上面的代码并输入以下命令:
“`bash
./a.out -p file1.txt -o file2.txt
“`
输出结果如下:
“`
option p with value file1.txt
option o with value file2.txt
“`
上面的示例代码使用了两个短选项:-p和-o,它们都需要一个参数。如果用户不提供参数,则会输出错误信息。
3. 常用选项
getopt支持多种选项类型,常用的选项如下:
– 短选项:以“-”开头,后面跟一个字母表示选项符号,如“-h”表示选项h。
– 长选项:以“–”开头,后面跟一个字符串表示选项符号,如“–help”表示选项help。
– 可选参数:选项后面可以跟一个参数,如“-f file.txt”表示选项f,并且它的参数为file.txt。
– 不带参数:选项后面没有参数,如“-v”表示选项v。
4. 实战案例
下面是一个实战案例,使用getopt解析命令行参数,实现一个计算器程序。
“`c
#include
#include
#include
int mn(int argc, char *argv[]) {
int opt;
int a = 0, b = 0;
while((opt = getopt(argc, argv, “a:b:”)) != -1) {
switch(opt) {
case ‘a’:
a = atoi(optarg);
break;
case ‘b’:
b = atoi(optarg);
break;
default:
printf(“usage: %s -a num1 -b num2\n”, argv[0]);
return 1;
}
}
printf(“%d + %d = %d\n”, a, b, a + b);
return 0;
}
“`
运行上面的代码并输入以下命令:
“`bash
./a.out -a 3 -b 4
“`
输出结果如下:
“`
3 + 4 = 7
“`
上面的计算器程序使用了两个可选参数:-a和-b,它们都需要一个参数。如果用户不提供参数,则会输出帮助信息。
5.