数组的建立方式不同,数组访问的方式会不一样
数组建立方式一:
int A[2][3]={1,2,3,4,5,6};
对于方法一建立的数组,参考谭浩强《C程序设计》的方法:用多维数组名作为函数的实参和形参,在被调用函数中对形参组定义时可以指定每一维的大小,也可以省略第一维的大小说明。例如:
int array[3][10];
或
int array[][10];
二者都是合法并且等价。但是不能把第二维以及其他高维的大小说明忽略,如下面的定义都是错误的:
int array[][];//错误
int array[3][];//错误
正确访问的方式有:
/*********************************
* 方法1: 第一维的长度可以不指定
* 但必须指定第二维的长度
*********************************/
void print_a(int a[][3], int rows, int cols)
{
int i, j;
for(i = 0; i < rows; i++)
{
for(j = 0; j < cols; j++)
cout<<a[i][j]<<" ";
cout<<endl;
}
}
/*****************************************
*方法2: 指向一个有3个元素一维数组的指针 *
*****************************************/
void print_b(int (*a)[3], int rows, int cols)
{
int i, j;
for(i = 0; i < rows; i++)
{
for(j = 0; j < cols; j++)
cout<<a[i][j]<<" ";
cout<<endl;
}
}
/***********************************
*方法3: 利用数组是顺序存储的特性
通过降维来访问原数组
***********************************/
void print_c(int *a, int rows,int cols)
{
int i, j;
for(i = 0; i < rows; i++)
{
for(j = 0; j < cols; j++)
cout<<*(a+i*cols+j)<<" ";
cout<<endl;
}
}
#include<iostream>
using namespace std;
void print_a(int a[][3], int n, int m);
void print_b(int (*a)[3], int n, int m);
void print_c(int *a, int n, int m);
int main()
{
int i,j;
int A[2][3]={1,2,3,4,5,6};
cout<<”方法一:”<<endl;
print_a(A,2,3);
cout<<”方法二:”<<endl;
print_b(A,2,3);
cout<<”方法三:”<<endl;
print_c(A[0],2,3);//或print_c(&A[0][0],2,3);
return 0;
}
建立数组方式二:
动态建立数组
int **B=new int* [3];
for(i=0;i<2;i++)
B[i]=new int[3];
for(i=0;i<2;i++)
{
for(j=0;j<3;j++)
{
B[i][j]=i*3+j+1;
}
}
方法一、二建立的数组大小是一样的,但方式二建立的数组不能通过顺序存储*(B+i*cols+j)来访问,正确访问方式:
void Print_arr(int **A,int rows,int cols)
{
for(int i=0;i<rows;i++)
{
for(int j=0;j<cols;j++)
{
cout<<A[i][j]<<" ";//正确
//cout<<*(*(A+i)+j)<<" ";//正确
//cout<<*(A+i*cols+j)<<" ";//错误
}
cout<<endl;
}
}
#include<iostream>
using namespace std;
void Func2(int **A,int rows,int cols);
int main()
{
int i,j;
int **B=new int* [3];
for(i=0;i<2;i++)
B[i]=new int[3];
for(i=0;i<2;i++)
{
for(j=0;j<3;j++)
{
B[i][j]=i*3+j+1;
}
}
<span style="white-space:pre"> </span>Func2(B,2,3);//
return 0;
}