typedef struct block
{
size_t size;
struct block* next;
} node;
static char arr[1000];
arr会发生什么
当我做
node* first_block = (node*)arr;
?
我明白这等于
node* first_block = (node*)&arr[0];
但
sizeof(node) = 8;
sizeof(arr[0])= 1;
所以第一个元素覆盖 arr 中的下七个元素,因为它现在是结构?你能给我解释一下这个 Actor 吗?
最佳答案
当你写
node* first_block = (node*)arr;
您没有更改内存中的任何内容,您会得到一个指向内存中区域的指针,指针的类型决定了该区域在指针算术方面的处理方式。
first_block->next
将是一个由数组中的字符决定的指针。作为比较,你有一个指向同一个数组的 char* 指针
(如果 arr 在全局范围内声明,它将包含 0)
char* q = arr;
node* p = (node*)arr;
arr[1000]
+----------------------+
q -> | | | | |
| 0 | 0 | ... | 0 |
p -> | | | | |
+----------------------+
当你做
q = q + 1;
// you move the character pointer one char forward since q is a char pointer
当你做
p = p + 1;
// you move the node pointer sizeof(node) chars forward since p is a node pointer
当您执行 *q 时,您将获得 q 指向的字符值,*p 为您提供来自 char arr 的节点值,即字符被解释为节点结构。
关于c - 在 C 中,当我们将 int 强制转换为 struct* 时,内存中会发生什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29319787/