C++ 指向数组的指针
在没有理解相关C++指针章节之前,你很可能不理解这一章节。
因此,假设你对C++指针有一定的了解,我们开始吧:数组名是指向数组第一个元素的常量指针。因此,在声明中-
double balance[50];
balance 是指向&balance[0]的指针,它是数组balance第一个元素的地址。因此,以下程序片段将给 p 赋值为 balance 的第一个元素的地址-
double *p;
double balance[10];
p = balance;
使用数组名作为常量指针是合法的,反之亦然。因此,*(balance + 4) 是访问 balance[4] 处数据的合法方式。
一旦你将第一个元素的地址存储在 p 中,你可以使用 *p, *(p+1), *(p+2) 等方式访问数组元素。下面是一个示例以展示上述所有概念:
#include <iostream>
using namespace std;
int main () {
// an array with 5 elements.
double balance[5] = {1000.0, 2.0, 3.4, 17.0, 50.0};
double *p;
p = balance;
// output each array element's value
cout << "Array values using pointer " << endl;
for ( int i = 0; i < 5; i++ ) {
cout << "*(p + " << i << ") : ";
cout << *(p + i) << endl;
}
cout << "Array values using balance as address " << endl;
for ( int i = 0; i < 5; i++ ) {
cout << "*(balance + " << i << ") : ";
cout << *(balance + i) << endl;
}
return 0;
}
当上述代码被编译和执行时,它产生以下结果−
Array values using pointer
*(p + 0) : 1000
*(p + 1) : 2
*(p + 2) : 3.4
*(p + 3) : 17
*(p + 4) : 50
Array values using balance as address
*(balance + 0) : 1000
*(balance + 1) : 2
*(balance + 2) : 3.4
*(balance + 3) : 17
*(balance + 4) : 50
在上面的示例中,p是一个指向double类型的指针,这意味着它可以存储一个double类型变量的地址。一旦我们在p中有了地址,那么 *p 将给我们在p中存储的地址的值,就像我们在上面的示例中展示的那样。