我无法使用单链表在此 'Inserting node at begining of list' 中找到错误

i can't find error in this 'Inserting node at begining of list' using singaly linked list

我在 Youtube/freeCodeCamp.org/data 结构上的代码的帮助下完成了这段代码 - 使用 C 和 C++。 相同的代码适用于 tutor,但在我的电脑上不起作用。

#include <stdio.h>
#include <stdlib.h>

struct Node
{          
    int data;   
    struct Node *next; 
};
struct Node *head;
void Insert(int x)
{
    struct Node *temp = (Node *)malloc(sizeof(struct Node));
    (*temp).data = x;
    (*temp).next = head;
    head = temp;
};
void Print()
{
    struct Node *temp = head;
    printf("List is::");
    while (temp != NULL)
    {
        printf("%d", temp->data);
        temp = temp->next;
    }
    printf("\n");
};
int main()
{
    head = NULL;
    printf("How many numbers;\n");
    int n, x;
    scanf("%d", &n);
    for (int i = 0; i < n; i++)
    {
        printf("Enter the number;\n");
        scanf("%d", &x);
        Insert(x);
        Print();
    }
}

编译器输出:

insertingNodeAtbegining.c: In function 'Insert':
insertingNodeAtbegining.c:12:26: error: 'Node' undeclared (first use in this function)
     struct Node *temp = (Node *)malloc(sizeof(struct Node));
                          ^~~~
insertingNodeAtbegining.c:12:26: note: each undeclared identifier is reported only once for each 
function it appears in
insertingNodeAtbegining.c:12:32: error: expected expression before ')' token
     struct Node *temp = (Node *)malloc(sizeof(struct Node));
                                ^

同样的代码适用于导师,因为他使用的是 C++ 编译器,而在您的情况下,您使用的是 c 编译器。

使用c编译器编译修改第12行如下。

struct Node *temp = (struct Node *)malloc(sizeof(struct Node));

在 C 中,无论何时声明结构数据类型,都必须使用 struct 关键字。 C++ 不是这种情况。

请在第12行添加数据类型struct,即

struct Node *temp = (struct Node *)malloc(sizeof(struct Node));

感谢您提出这个问题。