C语言编写一个二叉树,完成基本功能
时间: 2024-12-19 20:14:06 浏览: 4
在C语言中,我们可以使用结构体(struct)来创建二叉树,并实现一些基本操作,如插入节点、删除节点以及查找等。这里是一个简单的二叉树的定义示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义二叉树节点
typedef struct TreeNode {
int val; // 节点值
struct TreeNode* left; // 左孩子指针
struct TreeNode* right; // 右孩子指针
} TreeNode;
// 创建新节点
TreeNode* createNode(int val) {
TreeNode* newNode = (TreeNode*)malloc(sizeof(TreeNode));
if (!newNode) {
printf("Memory allocation failed.\n");
return NULL;
}
newNode->val = val;
newNode->left = NULL;
newNode->right = NULL;
return newNode;
}
// 插入节点
TreeNode* insertNode(TreeNode* root, int val) {
if (root == NULL) {
return createNode(val);
} else if (val < root->val) {
root->left = insertNode(root->left, val);
} else {
root->right = insertNode(root->right, val);
}
return root;
}
// 示例用法
int main() {
TreeNode* root = NULL;
root = insertNode(root, 5); // 插入根节点5
root = insertNode(root, 3); // 插入左子树3
root = insertNode(root, 7); // 插入右子树7
// 打印整个树(简化版,实际项目中需递归遍历)
printf("Binary Tree:\n");
printInOrder(root);
return 0;
}
// 中序遍历函数(打印节点值)
void printInOrder(TreeNode* node) {
if (node != NULL) {
printInOrder(node->left);
printf("%d ", node->val);
printInOrder(node->right);
}
}
```
这个例子实现了二叉搜索树的基本结构和插入节点的功能。你可以在此基础上添加其他操作,比如删除节点、查找节点等。
阅读全文