c语⾔中如何创建动态⼀维数组,C++中如何定义⼀个⼀维动态
数组?
传统的解决⽅案是分配⼀个指针数组, 然后把每个指针初始化为动态分配的 ``列"。 以下为⼀个⼆维的例⼦:
//typedef int (*arraypoiter)[ncolumns];
int **dynamic_alloc_arrays(unsigned int nrows,unsigned int ncolumns)
{
unsigned int i;
int **array = (int **)malloc(nrows * sizeof(int *));
for(i = 0; i < nrows; i++)
array[i] = (int *)malloc(ncolumns * sizeof(int));
printf("array=0x%x\n",(int)array);
for(i=0;i
{
printf("array[%d]=0x%x\n",i,(int)array[i]);
}
printf("\n");
return array;
}
void main(void)
{
int **test_allocate;
unsigned int nrows=3;
unsigned int ncolumns=4;
test_allocate = dynamic_alloc_arrays(nrows,ncolumns);
printf("test_allocate=%x\n",test_allocate);
一维数组的定义和初始化}
/*
array[2]=911bb0
test_allocate=911c70
*/
当然, 在真实代码中, 所有的 malloc 返回值都必须检查。你也可以使⽤ sizeof(*array)  和 sizeof(**array) 代替 sizeof(int *) 和sizeof(int)(因为*array的类型为int *,**array的类型为int)。
你可以让数组的内存连续, 但在后来重新分配列的时候会⽐较困难, 得使⽤⼀点指针算术:
int **dynamic_alloc_arrays(unsigned int nrows,unsigned int ncolumns)
{
unsigned int i;
int **array = (int **)malloc(nrows * sizeof(int *));
array[0] = (int *)malloc(nrows * ncolumns * sizeof(int));
for(i = 1; i < nrows; i++)
array[i] = array[0] + i * ncolumns;
printf("array=0x%x\n",(int)array);
for(i=0;i
{
printf("array[%d]=0x%x\n",i,(int)array[i]);
}
printf("\n");
return array;
}
void main(void)
{
int **test_allocate;
unsigned int nrows=3;
unsigned int ncolumns=4;
test_allocate = dynamic_alloc_arrays(nrows,ncolumns);
printf("test_allocate=%x\n",test_allocate);
}
/*
array=911c70
test_allocate=911c70
*/
在两种情况下, 动态数组的成员都可以⽤正常的数组下标 arrayx[i][j] 来访问  (for 0 <= i
另⼀种选择是使⽤数组指针:
int (*array4)[NCOLUMNS] = malloc(nrows * sizeof(*array4));
但是这个语法变得可怕⽽且运⾏时最多只能确定⼀维。因为NCOLUMNS必须为定值
××××××××××××××××××××××××××××××××××××××
C语⾔⾥,数组名是被看作指针来使⽤的,⼀维数组是指针,⼆维数组是指向指针的指针,三维是......... 真的是这样的吗??看下⾯的例⼦:
void    show (int * * info, int x, int y) //打印⼀个x*y的数组的内容
{
int  i, j;
for (i=0;i
{
for (j=0;j
{
printf ("%d  ",info[i][j]);
}
printf ("\n");
}
}
void    Function (void)
{
int  as[10][10];
show (as,10,10);
// error C2664: 'show' : cannot convert parameter 1 from 'int [10][10]' to 'int ** ' Types pointed to are unrelated; conversion requires reinterpret_cast, C-style cast or function-style cast
}
在C中没有安全类型检查,上述程序只是warning,但是程序运⾏会崩溃
在C++中,根本就⽆法编译通过,即as[10][10]和int * *根本不是⼀个类型
为什么?在c中,⼆维数组虽然是定义为指向指针的指针,但是实际上被指向的指针是不存在的,即没有⼀个内存来存储这个指针,只是在执⾏as [n]时返回⼀个指针罢了,as所指的不过是存放数组内容的地址!!
评论读取中....
请登录后再发表评论!◆◆
修改失败,请稍后尝试

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。