赞
踩
二叉查找树按照二叉树进行组织。二叉查找树关键字的存储方式总是瞒住二叉查找树性质:
设x为二查查找树种一个节点。如果y是x的左子树中的一个节点,那么key[x] >= key[y]。如果y是x的右子树的一个节点,那么key[x] <= key[y]。
这样对二叉查找树进行中序遍历就可得到书中所有元素的一个非降序排列。
查找某一个存在节点的前驱和后继。某一个节点x的后继就是大于key[x]的关键字中最小的那个节点,前驱就是小于key[x]的关键字中最大的那个节点。查找二叉前驱和后继节点的算法如下所示:
- typedef struct _node
- {
- struct _node* lchild;
- struct _node* rchild;
- struct _node* parent;
- int data;
- }node; //二叉树结构体定义,是带父节点的哦。
-
- typedef node* Tree;
-
- //查找二叉树中关键字最小的节点,返回指向该指针的节点。
- Tree iterative_searchTree(Tree root, int k)
- {
- Tree p = root;
- while (p != NULL && k != p->data)
- {
- if (k < p->data)
- {
- p = p->lchild;
- }
- else
- p = p->rchild;
- }
- return p;
- }
-
- Tree Tree_Minmum(Tree root)
- {
- Tree p = root;
- while (p->lchild != NULL)
- {
- p=p->lchild;
- }
- return p;
- }
-
- Tree Tree_Maximum(Tree root)
- {
- Tree p = root;
- while (p->rchild != NULL)
- {
- p=p->rchild;
- }
- return p;
- }
-
- Tree Tree_Successor(Tree p)
- {
- while(p->rchild != NULL)
- {
- return Tree_Minmum(p->rchild); //一种情况,找该节点右子树中关键字最小的节点。
- }
-
- Tree q = p->parent;
- while (q != NULL && p == q->rchild) //另一种情况,该节点不存在右子树,则寻找该节点最低的公共祖先。
- {
- p = q;
- q = q->parent;
- }
- return q;
- }
-
- Tree Tree_Presuccessor(Tree p)
- {
- while (p->lchild != NULL)
- {
- return Tree_Maximum(p->lchild); //一种情况,找该节点左子树中关键字最大的节点。
- }
-
- Tree q = p->parent;
- while (q != NULL && p == q->lchild) //另一种情况,该节点不存在左子树,则寻找该节点最低的公共祖先。
- {
- p = q;
- q = q->parent;
- }
- return q;
- }
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。