我试图创建一个二叉搜索树。我正在处理insert函数,但是收到了几个不兼容类型的警告。

warning C4133: '=' : incompatible types - from 'BSTNode *' to 'BSTNode *'

我在代码的第22、25、36和36行收到这些警告。我还收到了两个递归调用的警告warning C4133: 'function' : incompatible types - from 'BSTNode *' to 'BSTNode *'。我在下面的代码中用注释标记了错误。这些都是同一类型的,所以我不知道是什么导致了这些警告。
//BST.c

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


void insert(BSTNode* top_of_bst,BSTNode* node){


   //no items in bst, add it to the top
   if (top_of_bst == NULL){
      top_of_bst->node_value = node->node_value;
      top_of_bst->left = NULL;
      top_of_bst->right = NULL;
      top_of_bst->parent = NULL;
      return;
   }

  //if the value is smaller check the left child
  if (top_of_bst->node_value >= node->node_value){
      if (top_of_bst->left == NULL){
         node->parent = top_of_bst;  //HERE IS AN ERROR
         node->right = NULL;
         node->left = NULL;
         top_of_bst->left = node;   //HERE IS AN ERROR
         return;
      }
      //if the left child exists, recurse left
      else
         insert(top_of_bst->left, node);  //HERE IS AN ERROR
   }
   //if the value is bigger check the right child
    else{
       if (top_of_bst->right == NULL){
          top_of_bst->right = node; //HERE IS AN ERROR
          node->parent = top_of_bst;   //HERE IS AN ERROR
          node->left = NULL;
          node->right = NULL;
          return;
       }
       //if the child exists, recurse right
       else
          insert(top_of_bst->right, node);   //HERE IS AN ERROR
    }
}

这是我的bstnode头文件
#ifndef BSTNODE_H
#define BSTNODE_H

typedef struct BSTNODE{
   struct BSTNode* parent;
   struct BSTNode* left;
   struct BSTNode* right;
   int node_value;
}BSTNode;

#endif

最佳答案

在头文件中

struct BSTNode* parent;
struct BSTNode* left;
struct BSTNode* right;

应该是
struct BSTNODE* parent;
struct BSTNODE* left;
struct BSTNODE* right;

因为,在定义成员时,BSTNode是未知的。
否则,您还可以在结构定义之前使用typedef struct BSTNODE BSTNode;,并使用
BSTNode* parent;
BSTNode* left;
BSTNode* right;

10-06 09:17