C++ 指针数组
在理解指针数组的概念之前,让我们考虑以下示例,该示例使用了一个由3个整数组成的数组。
#include <iostream>
using namespace std;
const int MAX = 3;
int main () {
int var[MAX] = {10, 100, 200};
for (int i = 0; i < MAX; i++) {
cout << "Value of var[" << i << "] = ";
cout << var[i] << endl;
}
return 0;
}
当上述代码被编译和执行时,它会产生以下结果 −
Value of var[0] = 10
Value of var[1] = 100
Value of var[2] = 200
可能存在这样一种情况,当我们想要维护一个数组时,可以存储指向int、char或任何其他可用数据类型的指针。以下是声明一个指向整数的指针数组的方式 –
int *ptr[MAX];
这将ptr声明为一个包含MAX个整数指针的数组。因此,现在ptr中的每个元素都保存一个指向int值的指针。以下示例将使用三个整数存储在指针数组中,如下所示:
#include <iostream>
using namespace std;
const int MAX = 3;
int main () {
int var[MAX] = {10, 100, 200};
int *ptr[MAX];
for (int i = 0; i < MAX; i++) {
ptr[i] = &var[i]; // assign the address of integer.
}
for (int i = 0; i < MAX; i++) {
cout << "Value of var[" << i << "] = ";
cout << *ptr[i] << endl;
}
return 0;
}
当上述代码被编译和执行时,会产生以下结果 −
Value of var[0] = 10
Value of var[1] = 100
Value of var[2] = 200
您还可以使用指向字符的指针数组来存储字符串列表,如下所示−
#include <iostream>
using namespace std;
const int MAX = 4;
int main () {
const char *names[MAX] = { "Zara Ali", "Hina Ali", "Nuha Ali", "Sara Ali" };
for (int i = 0; i < MAX; i++) {
cout << "Value of names[" << i << "] = ";
cout << (names + i) << endl;
}
return 0;
}
当上述代码编译并执行时,会产生以下结果−
Value of names[0] = 0x7ffd256683c0
Value of names[1] = 0x7ffd256683c8
Value of names[2] = 0x7ffd256683d0
Value of names[3] = 0x7ffd256683d8