假设 ptr 是一些指针,那么:
*((int *)ptr+1)
意味着什么:
首先将 ptr 类型转换为 int * 然后递增 1,然后取消引用。
或者
首先将 ptr 加一,然后进行类型转换,然后取消引用。
假设 ptr 是一些指针,那么:
*((int *)ptr+1)
意味着什么:
首先将 ptr 类型转换为 int * 然后递增 1,然后取消引用。
或者
首先将 ptr 加一,然后进行类型转换,然后取消引用。
ptr
是指向任何东西的指针。(int *) ptr
是指向 int 的指针,它指向与 相同的位置ptr
,但假定指针对象是int
。(int *)ptr + 1
在内存中进一步指向一个单元格(又名一个 int)。*((int *)ptr+1)
那是int。
演员表具有比加法更高的优先级,请参见此处。因此,首先转换为整数指针,然后添加1*sizeof(int)
.
ptr[1]
如果 ptrint *
当然是一个指针,这似乎是 的简短版本。
所以
首先将 ptr 类型转换为 int * 然后递增 1,然后取消引用。
第一个命题:将 ptr 转换为 int*,然后加一,最后得到这个地址的 int。
这是一种处理结构化数据的方法,例如,当您在输入中只有一个 char 流时。
*((int *)ptr+1)
这意味着:
这段代码几乎显示了你在做什么:
#include<stdio.h>
int main( ) {
int onetwo[] = { 1, 2};
/*create a void pointer to one two*/
void* ptr = (void*) onetwo;
printf ( "pointer onetwo[0] = %p\n", &onetwo[0] );
printf ( "pointer onetwo[1] = %p\n", &onetwo[1] );
/* since you are doing pointer arithmetics
* it's really important you cast ptr back to
* int* otherwise the compiler might not
* return a pointer to onetwo[1] but if sizeof(int)
* is 4 bytes
*/
printf ( "value = %d\n", *( (int*)ptr + 1) );
/* in this print statement ptr is still a void* when
* it is incremented, therefore it points between
* onetwo[0] and onetwo[1]
*/
printf ( "value = %d\n", * ((int*)( ptr + 1)) );
/*casting to int* is for illustration properties */
printf ( "This points between onetwo[0] and onetwo[1] because it's at %p\n", (int*) (ptr + 1));
return 0;
}
我机器上的输出产量:
~/programming/stackoverflow$ ./p
pointer onetwo[0] = 0x7fffdd8e2fc0
pointer onetwo[1] = 0x7fffdd8e2fc4
value = 2
value = 33554432
This points between onetwo[0] and onetwo[1] because it's at 0x7fffdd8e2fc1
我希望这能证明指针算术的一些效果。