while循环中的某件事给了我这个错误。我无法弄清楚要查找的内容,因为此错误似乎很常见,可以找出处理我的特定示例的方法]
#include <stdlib.h>
#include <stdio.h>
/*Structure declarations*/
struct Data {
int id_number;
float ratings;
};
typedef struct Node{
struct Data player;
struct Node *next;
}Node;
/*function declaration*/
void push(struct Node *list_head, int unique_id, float grade);
int main(){
/* Initialize list_head to Null since list is empty at first */
Node *list_head = NULL;
Node *traversalPtr;
push(list_head, 1, 4.0);
push(list_head, 2, 3.87);
push(list_head, 3, 3.60);
traversalPtr = list_head;
while(traversalPtr -> next != NULL){
printf("%d\n",traversalPtr -> player.id_number);
traversalPtr = traversalPtr -> next;
}
}
...function declarations
问题在于该功能
void push(struct Node *list_head, int unique_id, float grade);
处理main中定义的原始指针的副本,因为指针是通过值传递的。
您应该像这样声明函数
void push(struct Node **list_head, int unique_id, float grade);
和这样称呼
push( &list_head, 1, 4.0 );
这里是如何定义函数的示例(我假设函数将节点附加到其尾部)。
int push(struct Node **list_head, int unique_id, float grade)
{
struct Node *node = malloc( sizeof( struct Node ) );
int success = node != NULL;
if ( success )
{
node->player.id_number = unique_id;
node->player.ratings = grade;
node->next = NULL;
while ( *list_head ) list_head = &( *list_head )->next;
*list_head = node;
}
return success;
}