我正在使用数据结构来实现拼写检查。我有两个struct,node和table,它们在下面定义:
#include <stdlib.h>
typedef struct node *tree_ptr;
typedef struct table * Table;
struct node
{
char* element;
tree_ptr left, right;
};
typedef struct table
{
tree_ptr head;
int tree_h;
}table;
int main() {
Table t = malloc(sizeof(table));
t->head = NULL;
tree_ptr ptr = t->head;
ptr = malloc(sizeof(tree_ptr));
ptr->element = "one";
ptr->left = NULL;
ptr->right = NULL;
printf("%s\n",t->head->element);
return 0;
}
这个程序在打印函数的最后一行有错误,因为t-&gt; head指向NULL。
据我所知,当更改指针的内容值时,指针指向的变量会自动更改。
由于t-> head和ptr都是指针,而ptr指向t-> head,它们指向同一个对象。
然后当我改变ptr的值时,为什么t-&gt; head不会以同样的方式改变?我应该怎么做才能实现t-> head变化为ptr变化?
答案 0 :(得分:1)
您必须将ptr
分配回t->head
。除此之外,您必须为一个节点分配sizeof(struct node)
:
int main() {
Table t = malloc(sizeof(table));
t->head = NULL;
tree_ptr ptr = malloc( sizeof(struct node) );
// ^^^^
ptr->element = "one";
ptr->left = NULL;
ptr->right = NULL;
t->head = ptr; // <-------
printf("%s\n",t->head->element);
return 0;
}
注意ptr = t->head
仅将t->head
的值分配给ptr
。 ptr = malloc(....)
分配动态内存并将内存地址分配给ptr
并覆盖之前的t->head
值。但永远不会将内存地址分配给t->head
。 ptr
和t->head
之间没有神奇的联系。
你试图做的是这样的事情:
tree_ptr *ptr = &(t->head);
*ptr = malloc( sizeof(struct node) );
(*ptr)->element = "one";
(*ptr)->left = NULL;
(*ptr)->right = NULL
在这种情况下,ptr
是指向t->head
的指针,*ptr = malloc( sizeof(struct node) )
指定ptr
所指的已分配内存的地址,即t->head
。