我有一个指向int *array
的指针,我将其分配,然后将其传递给函数以填充数组的元素。
void function(int **arr);
int main()
{
int *array;
array=calloc(4, sizeof(int));
function(&array);
return0;
}
void function(int **arr)
{
int *tmp;
tmp=calloc(4, sizeof(int));
tmp[0]=1;
tmp[1]=2;
tmp[2]=3;
tmp[3]=4;
}
我想将tmp
分配给arr
。我该怎么办?
答案 0 :(得分:4)
您不应该这样做,因为在这种情况下会出现内存泄漏,因为您已经为指针数组分配了内存,并且赋值将覆盖存储在指针中的值。写函数更简单
void function(int **arr)
{
int *tmp = *arr;
tmp[0]=1;
tmp[1]=2;
tmp[2]=3;
tmp[3]=4;
}
这是一个示范程序
#include <stdio.h>
#include <stdlib.h>
void init( int **a, size_t n, int value )
{
int *tmp = *a;
size_t i = 0;
for ( ; i < n; i++ ) tmp[i] = value++;
}
void display ( int *a, size_t n )
{
size_t i = 0;
for ( ; i < n; i++ ) printf( "%d ", a[i] );
printf( "\n" );
}
int main(void)
{
int *a;
size_t n = 4;
a = calloc( n, sizeof( int ) );
init( &a, n, 0 );
display( a, n );
init( &a, n, 10 );
display( a, n );
free( a );
return 0;
}
程序输出
0 1 2 3
10 11 12 13
如果您需要在函数中重新分配原始数组,那么可以通过以下方式完成此操作
#include <stdio.h>
#include <stdlib.h>
void init( int **a, size_t n, int value )
{
int *tmp = *a;
size_t i = 0;
for ( ; i < n; i++ ) tmp[i] = value++;
}
void display ( int *a, size_t n )
{
size_t i = 0;
for ( ; i < n; i++ ) printf( "%d ", a[i] );
printf( "\n" );
}
void alloc_new( int **a, size_t n )
{
int *tmp = malloc( n * sizeof( int ) );
if ( tmp )
{
free( *a );
*a = tmp;
}
}
int main(void)
{
int *a;
size_t n = 4;
a = calloc( n, sizeof( int ) );
init( &a, n, 0 );
display( a, n );
alloc_new( &a, n );
init( &a, n, 10 );
display( a, n );
free( a );
return 0;
}
答案 1 :(得分:3)
首先,calloc
您不需要array
main
。它是一个指针,您需要做的就是为其指定tmp
。以下是:
void function(int **arr);
int main()
{
int *array;
size_t i;
function(&array);
// do stuff with array
for (i = 0; i < 4; i++)
{
printf("%d\n", array[i]);
}
// then clean up
free(array);
return 0;
}
void function(int **arr)
{
int *tmp;
tmp=calloc(4, sizeof(int));
tmp[0]=1;
tmp[1]=2;
tmp[2]=3;
tmp[3]=4;
*arr = tmp;
}
答案 2 :(得分:1)
在main中使用之前,也许你应该声明 function
。如果编译器认为function
期望int
参数应该是int**
参数时,编译器可能会生成错误的代码...
您刚刚添加了声明,还是我错过了?如果是的话,抱歉!