0

execv函数将指针数组作为第二个参数。我有一个指向指针的指针,一个动态创建的字符串列表。

如何从中创建一个指针数组?

char **list = malloc((argc)*sizeof(char*));
int i=0;
for(i=0;i<argc;++i){ // using argv for example...
 list[i] = malloc(strlen(argv[i])+1);
 strcpy(list[i], argv[i]);
}
// create from list an array of pointers
execv(list_pointers[0], list_pointers);

否则,如果简单地传递listexecv.

4

2 回答 2

1

从 execv 手册页:

“指针数组必须由 NULL 指针终止。”

函数 execv 不知道参数计数

 char **list = malloc((argc+1)*sizeof(char*));
 if (list == NULL) {
     abort();
 }
 int i;
 for(i=0;i<argc;++i){ // using argv for example...
     if ((list[i] = strdup(argv[i])) == NULL) {
         abort();
     }
 }
 list[argc] = NULL;
 execv(list[0], list);

编辑我还从 execv 调用中删除了 list+1,感谢@ajay 找到它

于 2014-03-23T18:23:36.667 回答
1

execv标头中声明的函数的签名unistd.h

int execv(const char *path, char *const argv[]);

请注意,这与

int execv(const char *path, char *const *argv);

这意味着这argv是指向类型对象的指针char * const,即指向字符的常量指针。此外,手册页execv说 -

按照惯例,第一个参数应该指向与正在执行的文件关联的文件名。指针数组必须以 NULL 指针终止。

此外,list其类型为char **的赋值与 的第二个参数兼容execv。我建议进行以下更改 -

// +1 for the terminating NULL pointer required for the 
// second argument of execv

char **list = malloc((argc + 1) * sizeof *list); 
if(list == NULL) {
    printf("not enough memory to allocate\n");
    // handle it
}
int i = 0;
for(i = 0; i < argc; ++i) {
    // strdup returns a pointer to a new string
    // which is a duplicate of the string argv[i]
    // this does effectively the same as the commented 
    // out block after the below statement.
    // include the header string.h for the prototype
    // of strdup POSIX function.

    list[i] = strdup(argv[i]);

    /* 
    list[i] = malloc(strlen(argv[i])+1);
    if(list[i] == NULL) {
        printf("not enough memory to allocate\n");
        // handle it
    }
    strcpy(list[i], argv[i]);
    */
}

list[argc] = NULL;  // terminate the array with the NULL pointer
execv(list[0], list);
于 2014-03-23T18:29:06.977 回答