1

在 C++ 中使用 unistd.h 中包含的getopt函数,有没有办法构造 optstring 使得......

[-a] [-f "reg_expr"] out_file1 [[-f "reg_expr"] out_file2 ...]有可能吗?

这是一项家庭作业,但重点不在于这个特定的子任务。

在我的脑海中,我想指定以下逻辑:

(一个参数),(无限多个 f 参数和 2 个必需的(子)参数),...(无限多个通用参数)

也许我对getopt函数的理解存在根本缺陷。我还看到了一个getopt_long。也许这就是我所缺少的。

我最初起草了这个,它工作,但我遇到了这个getopt功能,并认为它可能会做得更好。

int outFileFlags;
int outFileMode = S_IRUSR | S_IWUSR | S_IRGRP | S_IROTH;
int i = 1;
while (i < argc){
    if (i == 1 && strcmp( argv[i], "-a") == 0){
        cout << "append flag set" << endl;
        outFileFlags = O_RDWR | O_APPEND;
        i++;
        continue;
    }
    else {
        outFileFlags = O_TRUNC | O_RDWR | O_CREAT;
    }
    if (strcmp( argv[i], "-f") == 0 && i+2 <= argc){
        cout << "   regx = " << argv[i+1] << endl;
        cout << "   fn = " << argv[i+2] << endl;
        i = i+3;
        continue;
    }
    else {
        cout << "   regx = none" << endl;
        cout << "   fn = " << argv[i] << endl;
        i++;
        continue;
    }
}

注意:假设这是为 unix 环境编写的。我不认为我可以使用标准库中的任何东西。我只包含 std::cout 用于测试目的。

我很乐意详细说明这项任务的任何细节。然而,主要问题围绕着 optstring 的语法。我目前只知道 : 表示必需和 :: 表示可选 有没有办法指定像正则表达式通配符 * 一样重复的参数?

编辑:

我确信这是草率的,因为我不认为 getopt 旨在处理每个选项的多个参数,但它确实可以解决问题......

int main(int argc, char *argv[]){
    char c;
    int iterations = 0;
    while (*argv) {
        optind = 1;
        if (iterations == 0){
            opterr = 0;
            c = getopt(argc, argv, "a");
            if(c == 'a'){
                //~ APPEND SET
            }
            else if(c=='?'){
                optind--;
            }
        }
        while ((c = getopt(argc, argv, "f:")) != -1) {
            if (c == 'f'){
                //~ REGEX = optarg
                if (optind < argc && strcmp(argv[optind], "-f") != 0) {
                    //~ FILENAME = argv[optind]
                    optind++;
                }
                else {
                    errno = 22;
                    perror("Error");
                    exit(errno);
                }
            }
            else {
                errno = 22;
                perror("Error");
                exit(errno);
            }
        }
        argc -= optind;
        argv += optind;
        iterations++;
        //~ REMAINING FILES = *argv
    }
}
4

1 回答 1

1

您需要为每组选项和输出文件名执行单独的 getopt 循环。

group_index = 0;
while (*argv) {
  optreset = 1;
  optind = 1;
  while ((ch = getopt(argc, argv, "af:")) != -1) {
    switch (ch) {
      /* process options */
    }
  }
  argc -= optind;
  argv += optind;
  outfile[group_index++] = *argv;
  argc--;
  argv++;
}
于 2012-11-19T05:24:10.440 回答