我正在从用户那里获取命令行参数。

然后,我为命令切换大小写,例如:

    case 'f':
         *file_name = optarg;
         break;

我不确定是否需要为指针分配malloc,因为我不完全了解optarg。

这是file_name声明的方式:
char **file_name;

我应该做
int length = strlen(optarg); // This gives a warning about types when compiling.

然后malloc为字符串长度+ 1?

对于这种问题,应该如何完成malloc?请记住,用户在file_name中输入** argv。

编辑:这就是我调用此函数并仍然遇到分段错误的方式。
int main(int argc, char **argv)
{
   char **file_name;
   parser(argc, argvm file_name);
}

void parser(int argc, char **argv, char **file_name)
{
  // Switch cases.
}

最佳答案

“optarg”只是指向argv []中元素的指针。因此,不分配内存并复制'optarg'指向的值是安全的。

假设使用以下参数调用了programm:

myapp -a "hello" -b "world"

而您的代码是:
#include <stdio.h>
#include <getopt.h>

void parse_options(int argc, char* argv[], char ** first_arg, char ** second_arg)
{
  const char* opt_string = "a:b:";
  int opt = -1;
  opt = getopt(argc, argv, opt_string);
  while (opt != -1) {
    switch(opt) {
      case 'a':
        *first_arg = optarg; /* points to argv[2]="hello" */
        break;
      case 'b':
        *second_arg = optarg; /* points to argv[4]="world" */
        break;
      default:
        break;
      }
    opt = getopt(argc, argv, opt_string);
  }
}

int main(int argc, char* argv[])
{
  char* first = 0;
  char* second = 0;
  parse_options(argc, argv, &first, &second);
  printf("first=%s, second=%s\n", first, second);
  return 0;
}

我的输出:
freebsd% gcc -Wall main.c
freebsd% ./a.out -a hello -b world
first=hello, second=world

10-08 00:42