C++ 指针算术
-
指针算术
如您所知,指针是一个地址,它是一个数值;因此,您可以像处理数值一样对指针执行算术运算。可以在指针上使用四种算术运算符:++,-,+和-为了理解指针算术,让我们考虑ptr是一个指向地址1000的int指针。假设32位整数,让我们对指针执行以下算术运算-ptr++
ptr将指向位置1004,因为每次ptr增加时,它将指向下一个整数。此操作将把指针移动到下一个内存位置,而不会影响该内存位置的实际值。如果ptr指向一个地址为1000的char,那么上面的操作将指向位置1001,因为下一个字符将在1001可用。 -
递增指针
我们更喜欢在程序中使用指针而不是数组,因为变量指针可以递增,这与数组名不同,因为数组名是常量指针,因此不能递增。以下程序递增变量指针以访问数组的每个后续元素-
尝试一下#include <iostream> using namespace std; const int MAX = 3; int main () { int var[MAX] = {10, 100, 200}; int *ptr; // let us have array address in pointer. ptr = var; for (int i = 0; i < MAX; i++) { cout << "Address of var[" << i << "] = "; cout << ptr << endl; cout << "Value of var[" << i << "] = "; cout << *ptr << endl; // point to the next location ptr++; } return 0; }
当上面的代码被编译和执行时,它产生的结果如下:Address of var[0] = 0xbfa088b0 Value of var[0] = 10 Address of var[1] = 0xbfa088b4 Value of var[1] = 100 Address of var[2] = 0xbfa088b8 Value of var[2] = 200
-
递减指针
相同的注意事项适用于递减指针,指针的值按其数据类型的字节数减少,如下所示-
尝试一下#include <iostream> using namespace std; const int MAX = 3; int main () { int var[MAX] = {10, 100, 200}; int *ptr; // let us have address of the last element in pointer. ptr = &var[MAX-1]; for (int i = MAX; i > 0; i--) { cout << "Address of var[" << i << "] = "; cout << ptr << endl; cout << "Value of var[" << i << "] = "; cout << *ptr << endl; // point to the previous location ptr--; } return 0; }
当上面的代码被编译和执行时,它产生的结果如下:Address of var[3] = 0xbfdb70f8 Value of var[3] = 200 Address of var[2] = 0xbfdb70f4 Value of var[2] = 100 Address of var[1] = 0xbfdb70f0 Value of var[1] = 10
-
指针比较
可以通过使用关系运算符(例如==,< 和 >)来比较指针。如果p1和p2指向彼此相关的变量(例如同一数组的元素),则可以有意义地比较p1和p2。以下程序通过增加变量指针来修改前面的示例,只要它所指向的地址小于或等于数组最后一个元素的地址,即&var[MAX-1]
尝试一下#include <iostream> using namespace std; const int MAX = 3; int main () { int var[MAX] = {10, 100, 200}; int *ptr; // let us have address of the first element in pointer. ptr = var; int i = 0; while ( ptr <= &var[MAX - 1] ) { cout << "Address of var[" << i << "] = "; cout << ptr << endl; cout << "Value of var[" << i << "] = "; cout << *ptr << endl; // point to the previous location ptr++; i++; } return 0; }
当上面的代码被编译和执行时,它产生的结果如下:Address of var[0] = 0xbfce42d0 Value of var[0] = 10 Address of var[1] = 0xbfce42d4 Value of var[1] = 100 Address of var[2] = 0xbfce42d8 Value of var[2] = 200