3
#include <stdio.h>

typedef struct
{
  int data;
  struct node *next;
}node;

void print(node *head)
{
  node *tmp = head;
  while (tmp)
  {
    printf ("%d ", tmp->data);
    tmp = tmp->next;
  }
}

int main()
{
  node arr[5] = {
                  {1, &arr[1]},
                  {2, &arr[2]},
                  {3, &arr[3]},
                  {4, &arr[4]},
                  {5, NULL}
                };

  print(arr);
  return 0;
}

为什么在使用 gcc -Wall 编译时会收到这些警告?(即使没有 -Wall,gcc 也会产生相同的警告)

list.c: In function ‘print’:
list.c:15:7: warning: assignment from incompatible pointer type [enabled by default]
list.c: In function ‘main’:
list.c:22:18: warning: initialization from incompatible pointer type [enabled by     default]
list.c:22:18: warning: (near initialization for ‘arr[0].next’) [enabled by default]
list.c:23:18: warning: initialization from incompatible pointer type [enabled by default]
list.c:23:18: warning: (near initialization for ‘arr[1].next’) [enabled by default]
list.c:24:18: warning: initialization from incompatible pointer type [enabled by default]
list.c:24:18: warning: (near initialization for ‘arr[2].next’) [enabled by default]
list.c:25:18: warning: initialization from incompatible pointer type [enabled by default]
list.c:25:18: warning: (near initialization for ‘arr[3].next’) [enabled by default]
4

2 回答 2

6

@metalhead 说的是正确的。实现相同结果的另一种可能更好的方法是

typedef struct _node
{
  int data;
  struct _node *next;
} node;

在这个定义节点之后(不带下划线)可以简单地用作类型名称,例如 int。

PS下划线只是一个标准约定 ,不是要求。只要您在两次出现中都替换,任何名称都可以用来代替 _node。但是,在 c 中,这是一种规范和一种编码约定,可以帮助开发人员快速理解 _node 实际上是指节点类型

于 2013-06-13T11:02:32.440 回答
3

您正在尝试struct node在定义中使用,node因此编译器不知道您的意思是它们是同一件事。尝试先声明结构:

struct node;
struct node
{
  int data;
  struct node *next;
};
于 2013-06-13T11:00:12.460 回答