我正在编写C代码来查找链接列表的中间。我了解逻辑,但无法弄清楚如何使用指针。 Node *head
和Node** head_ref
的工作方式有什么区别?
void middle(struct Node *head) ;
void push(struct Node** head_ref, int new_data) ;
答案 0 :(得分:1)
在第一个函数头中,*head
是指向分配在内存中某个位置的节点对象的指针:
void middle(struct Node *head);
_____________________
| |
*head --> | Node object |
| [val=1][*next=NULL] |
|_____________________|
在第二个函数头中,**head_ref
是指向内存中某个节点对象的指针的指针:
void push(struct Node** head_ref, int new_data);
_____________________
| |
*head --> | Node object |
^ | [val=1][*next=NULL] |
| |_____________________|
|
**head_ref
这是间接的另一层。为什么第二种构造是必要的?好吧,如果要修改在函数范围之外分配的内容,则需要一个指向其内存位置的指针。在第一个示例中,我可以取消引用*head
指针(使用head->
)以访问内存中的基础Node
对象,并对其进行修改或访问其属性。
将此逻辑带入下一个间接级别,如果我想将新的Node
对象推入列表的开头以使其成为新的头,则需要修改head
指针本身。就像我想使用指针来操作Node
对象时一样,现在我需要指向*head
的指针(它恰好是指针而不是Node
对象),以便修改它。
这是push
的内容以及一个之前/之后的函数调用:
void push(struct Node** head_ref, int new_data) {
Node *new_head = malloc(sizeof(Node)); // allocate memory for the new head node
new_head->data = new_data; // set its value
new_head->next = *head_ref; // make it point to the
// old head pointer
*head_ref = new_head; // make it the new head by modifying
// the old head pointer directly
}
/* Before push */
_____________________
| |
*head --> | Node object |
^ | [val=1][*next=NULL] |
| |_____________________|
|
**head_ref
/* After calling push(&head, 2);
* ^
* `&` operator gets the memory address of `head`,
* which is a pointer.
*/
_________________ _____________________
| | | |
*head --> | Node object | | Node object |
^ | [val=2] [*next]----->| [val=1][*next=NULL] |
| |_________________| |_____________________|
|
**head_ref
这是一个完整的例子:
#include <stdio.h>
#include <stdlib.h>
typedef struct Node {
int data;
struct Node *next;
} Node;
void push(Node** head_ref, int new_data) {
Node *new_head = malloc(sizeof(Node));
new_head->data = new_data;
new_head->next = *head_ref;
*head_ref = new_head;
}
void print(Node *head) {
while (head) {
printf("%d->", head->data);
head = head->next;
}
puts("NULL");
}
void free_list(Node *head) {
while (head) {
Node *tmp = head;
head = head->next;
free(tmp);
}
}
int main() {
Node *head = malloc(sizeof(Node));
head->next = NULL;
head->data = 1;
printf("Before push:\n");
print(head);
push(&head, 2);
printf("\nAfter push:\n");
print(head);
free_list(head);
return 0;
}
输出:
Before push:
1->NULL
After push:
2->1->NULL
答案 1 :(得分:0)
struct Node * head->这里的指针head是指向链表的头部的指针。 Head是可以指向节点结构的指针。
例如
如果您有这样的链接列表:- ____ ____ _____ | _1__ | ---> | _2__ | ---> | _3__ | ---........ 地址-1000 1004 1008
您的Node * head将是一个指针变量,它保存值为1的节点的地址(即头节点的地址,即存储值1的节点)。 head的内容= 1000
struct Node ** head_ref->这里的head_ref是指向链表开头的指针。
例如
如果您有这样的链接列表:- ____ ____ _____ | _1__ | ---> | _2__ | ---> | _3__ | ---........ 地址-1000 1004 1008 | *头 地址-5050 | **头
您的Node * head将是一个指针变量,它保存值为1的节点的地址(即头节点的地址,即存储值1的节点)。 头含量= 1000 ** head_ref的内容将是头指针的地址,即5050。
** head_ref用于间接引用。