2

我在 main 中有指针,但我不知道它的大小。一个函数将此指针返回给 main。在函数内部,我可以计算指针的大小,因此需要在其中存储值并将它们返回给 main。在这种情况下如何修改/分配内存。

int main()
{
    int *row_value, *col_value;
    col_row_value(row_value,col_value);
    ...
    return(0);
}

void col_row_value(row_value,col_value)
{
    // how to allocate/modify memory for row_value and col_value and store data
    // for example would like to allocate memory here
    int i;
    for(i=0;i<10;i++) {
        row_value[i]=i;
        col_value[i]=i;
    }
}

我试过这样的东西,它不起作用

int main()
{
    int *row_value, *col_value;
    row_value=NULL;
    col_value=NULL;
    col_row_value(&row_value,&col_value);
    ...
    return(0);
}

void col_row_value(int **row_value,int **col_value)
{
    // how to allocate/modify memory for row_value and col_value and store data
    // for example would like to allocate memory here
    int i;
    *row_value=(int*)realloc(*row_value,10*sizeof(int));
    *col_value=(int*)realloc(*col_value,10*sizeof(int));
    for(i=0;i<10;i++) {
        row_value[i]=i;
        col_value[i]=i;
    }
}
4

2 回答 2

1

第二个版本基本上是正确的。

你需要说:

realloc(*row_value, 10 * sizeof(int));
//     ^^^

当心明星!

如果有帮助,请将您的函数参数重命名为:

col_row_value(int ** ptr_to_row_ptr, int ** ptr_to_col_ptr);

这样,你就不会那么迷惑自己了。

于 2012-09-07T07:36:41.723 回答
1

这个:

*row_value=(int*)realloc(row_value*,10*sizeof(int));

应该:

*row_value = realloc(*row_value,10*sizeof(int));
                 /** ^ **/

请注意演员表是不必要的。将结果分配realloc()给临时指针,以防重新分配失败,这意味着原始内存将无法访问。

int* tmp = realloc(*row_value, 10 * sizeof(*tmp));
if (tmp)
{
    *row_value = tmp;
}

请注意,循环不会为orfor中的第一个元素赋值:row_valuecol_value

for(i=1;i<10;i++)

因为它从 index 开始,1并且其中的分配for应该是:

(*row_value)[i] = i;
(*col_value)[i] = i;
于 2012-09-07T07:36:53.307 回答