0

我想分配一个char***。我有一个这样的句子:“这是一个命令&&,我||需要;拆分”我需要在每个框中输入一个完整的句子,就像这样:

cmd[0] = "This is a command"
cmd[1] = "wich I"
cmd[2] = "need to"
cmd[3] = "split"

句子由诸如&&, ||, ;, |.
我的问题是我不知道如何分配我的三维数组。我总是遇到分段错误。

这就是我所做的:

for(k = 0; k < 1024; k++)
   for( j = 0; j < 1024; j++)
       cmd[k][j] = malloc(1024);

但几行之后,在另一个循环中:

»           cmd[k][l] = array[i];

我在这里遇到段错误。

请问我该怎么做?提前致谢

4

2 回答 2

1

请记住,C 中的 2/3D 数组与char ***.

如果您只想拥有一个 1024^3 字符数组,那么您会很好

char array[1024][1024][1024];

但请记住,这将在您的堆栈上分配 1 GB 的空间,这可能会或可能不会起作用。

要在堆上分配这么多,您需要正确输入:

char (*array)[1024][1024] = malloc(1024*1024*1024);

在这种情况下array,是指向 2D 1024x1024 字符矩阵数组的指针。

如果您真的想使用char ***(如果您的数组长度是静态的,我不建议这样做),那么您也需要分配所有中间数组:

char *** cmd = malloc(sizeof(char **) * 1024);
for(k = 0; k < 1024; k++) {
    cmd[k] = malloc(sizeof(char *) * 1024);
    for( j = 0; j < 1024; j++)
           cmd[k][j] = malloc(1024);
}
于 2013-07-05T13:21:13.087 回答
0

如果您要通过比单个字符更长的分隔符来拆分字符串,那么这就是您可以通过字符串搜索来做到这一点的方法。

以下函数将接受输入字符串和分隔符字符串。它将返回char **必须为freed 的 a 并且它会破坏您的输入字符串(重用它的内存来存储令牌)。

char ** split_string(char * input, const char * delim) {
    size_t num_tokens = 0;
    size_t token_memory = 16; // initialize memory initially for 16 tokens
    char ** tokens = malloc(token_memory * sizeof(char *));

    char * found;
    while ((found = strstr(input, delim))) { // while a delimiter is found
        if (input != found) { // if the strind does not start with a delimiter

            if (num_tokens == token_memory) { // increase the memory array if it is too small
                void * tmp = realloc(tokens, (token_memory *= 2) * sizeof(char *));
                if (!tmp) {
                    perror("realloc"); // out of memory
                }
                tokens = tmp;
            }

            tokens[num_tokens++] = input;
            *found = '\0';
        }
        // trim off the processed part of the string
        input = found + strlen(delim);
    }

    void * tmp = realloc(tokens, (num_tokens +1) * sizeof(char *));
    if (!tmp) {
        perror("realloc"); // something weird happened
    }
    tokens = tmp;

    // this is so that you can count the amount of tokens you got back
    tokens[num_tokens] = NULL;

    return tokens;
}

您将需要递归地运行它来拆分多个分隔符。

于 2013-07-05T15:32:52.080 回答