整合自:
http://blog.csdn.net/shuangde800/article/details/7341289
http://www.cnblogs.com/Jezze/archive/2011/12/23/2299884.html
http://blog.csdn.net/jdhanhua/article/details/6621026
B树介绍:点击打开链接
tire树:点击打开链接 点击打开链接
树集合:点击打开链接
1.定义:
什么是哈夫曼树?
让我们先举一个例子。
判定树:
在一般的数据结构的书中,树的那章后面,著者一般都会介绍一下哈夫曼(HUFFMAN)
树和哈夫曼编码。哈夫曼编码是哈夫曼树的一个应用。哈夫曼编码应用广泛,如
JPEG中就应用了哈夫曼编码。 首先介绍什么是哈夫曼树。哈夫曼树又称最优二叉树,
是一种带权路径长度最短的二叉树。所谓树的带权路径长度,就是树中所有的叶结点
的权值乘上其到根结点的 路径长度(若根结点为0层,叶结点到根结点的路径长度
为叶结点的层数)。树的带权路径长度记为WPL= (W1*L1+W2*L2+W3*L3+...+Wn*Ln)
,N个权值Wi(i=1,2,...n)构成一棵有N个叶结点的二叉树,相应的叶结点的路径
长度为Li(i=1,2,...n)。可以证明哈夫曼树的WPL是最小的。
2.哈夫曼编码步骤:
一、对给定的n个权值{W1,W2,W3,...,Wi,...,Wn}构成n棵二叉树的初始集合F= {T1,T2,T3,...,Ti,...,Tn},其中每棵二叉树Ti中只有一个权值为Wi的根结点,它的左右子树均为空。(为方便在计算机上实现算 法,一般还要求以Ti的权值Wi的升序排列。)
二、在F中选取两棵根结点权值最小的树作为新构造的二叉树的左右子树,新二叉树的根结点的权值为其左右子树的根结点的权值之和。
三、从F中删除这两棵树,并把这棵新的二叉树同样以升序排列加入到集合F中。
四、重复二和三两步,直到集合F中只有一棵二叉树为止。
简易的理解就是,假如我有A,B,C,D,E五个字符,出现的频率(即权值)分别为5,4,3,2,1,那么我们第一步先取两个最小权值作为左右子树构造一个新树,即取1,2构成新树,其结点为1+2=3,如图:
虚线为新生成的结点,第二步再把新生成的权值为3的结点放到剩下的集合中,所以集合变成{5,4,3,3},再根据第二步,取最小的两个权值构成新树,如图:
再依次建立哈夫曼树,如下图:
其中各个权值替换对应的字符即为下图:
所以各字符对应的编码为:A->11,B->10,C->00,D->011,E->010
例2:
例3:
霍夫曼编码是一种无前缀编码。解码时不会混淆。其主要应用在数据压缩,加密解密等场合。
3.代码实现:
//首先:定义哈夫曼树的节点类,为了方便使用集合类的排序功能,实现了Comparable接口(可以不是实现该接口,此时需要实现排序功能)
public class Node implements Comparable> {
private T data;
private double weight;
private Node left;
private Node right;
public Node(T data, double weight){
this.data = data;
this.weight = weight;
}
public T getData() {
return data;
}
public void setData(T data) {
this.data = data;
}
public double getWeight() {
return weight;
}
public void setWeight(double weight) {
this.weight = weight;
}
public Node getLeft() {
return left;
}
public void setLeft(Node left) {
this.left = left;
}
public Node getRight() {
return right;
}
public void setRight(Node right) {
this.right = right;
}
@Override
public String toString(){
return "data:"+this.data+";weight:"+this.weight;
}
@Override
public int compareTo(Node other) {
if(other.getWeight() > this.getWeight()){
return 1;
}
if(other.getWeight() < this.getWeight()){
return -1;
}
return 0;
}
}
//然后:实现哈夫曼树的主题类,其中包括两个静态的泛型方法,为创建哈夫曼树和广度优先遍历哈夫曼树
package my.huffmanTree;
import java.util.ArrayDeque;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import java.util.Queue;
public class HuffmanTree {
public static Node createTree(List> nodes){
while(nodes.size() > 1){
Collections.sort(nodes);
Node left = nodes.get(nodes.size()-1);
Node right = nodes.get(nodes.size()-2);
Node parent = new Node(null, left.getWeight()+right.getWeight());
parent.setLeft(left);
parent.setRight(right);
nodes.remove(left);
nodes.remove(right);
nodes.add(parent);
}
return nodes.get(0);
}
public static List> breadth(Node root){
List> list = new ArrayList>();
Queue> queue = new ArrayDeque>();
if(root != null){
queue.offer(root);
}
while(!queue.isEmpty()){
list.add(queue.peek());
Node node = queue.poll();
if(node.getLeft() != null){
queue.offer(node.getLeft());
}
if(node.getRight() != null){
queue.offer(node.getRight());
}
}
return list;
}
}
最后:编写一共测试端
[java] view plain copy
package my.huffmanTree;
import java.util.ArrayList;
import java.util.List;
public class Test {
public static void main(String[] args) {
// TODO Auto-generated method stub
List> list = new ArrayList>();
list.add(new Node("a",7));
list.add(new Node("b",5));
list.add(new Node("c",4));
list.add(new Node("d",2));
Node root = HuffmanTree.createTree(list);
System.out.println(HuffmanTree.breadth(root));
// System.out.println(list);
}
}
其中添加四个节点,其权重为{7,5,4,2},最终按照广度优先遍历,应为七个节点,为:18,7,11,5,6,2,4;
控制台输出为:
[data:null;weight:18.0, data:a;weight:7.0, data:null;weight:11.0, data:b;weight:5.0, data:null;weight:6.0, data:d;weight:2.0, data:c;weight:4.0]
与实际想符合。
----------------------------------------
B树总结
B树是为磁盘或其他直接存取辅助存储设置而设计的一种平衡查找树。其能够有效降低磁盘I/O操作次数。许多数据库系统使用B树或B树的变形来储存信息。参考《算法导论》第二版第十八章的思想使用java语言实现了一颗简单的B树,在此跟大家分享下:
package com.discover;
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;
import java.util.Queue;
import java.util.Random;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
/**
* 一颗B树的简单实现。
*
* 其实现原理参考《算法导论》第二版第十八章。
*
* 如果大家想读懂这些源代码,不妨先看看上述章节。
*
* @author WangPing
*
* @param - 键类型
* @param - 值类型
*/
public class BTree
{
private static Log logger = LogFactory.getLog(BTree.class);
/**
* 在B树节点中搜索给定键值的返回结果。
*
* 该结果有两部分组成。第一部分表示此次查找是否成功,
* 如果查找成功,第二部分表示给定键值在B树节点中的位置,
* 如果查找失败,第二部分表示给定键值应该插入的位置。
*/
private static class SearchResult
{
private boolean result;
private int index;
public SearchResult(boolean result, int index)
{
this.result = result;
this.index = index;
}
public boolean getResult()
{
return result;
}
public int getIndex()
{
return index;
}
}
/**
* 为了简单起见,暂时只支持整型的key,
* 等到工作完成后,支持泛型。
*
*
* TODO 需要考虑并发情况下的存取。
*/
private static class BTreeNode
{
/** 节点的关键字,以非降序存放 */
private List keys;
/** 内节点的子节点 */
private List children;
/** 是否为叶子节点 */
private boolean leaf;
public BTreeNode()
{
keys = new ArrayList();
children = new ArrayList();
leaf = false;
}
public boolean isLeaf()
{
return leaf;
}
public void setLeaf(boolean leaf)
{
this.leaf = leaf;
}
/**
* 返回关键字的个数。如果是非叶子节点,该节点的
* 子节点个数为({@link #size()} + 1)。
*
* @return 关键字的个数
*/
public int size()
{
return keys.size();
}
/**
* 在节点中查找给定的key
,如果节点中存在给定的
* key
,则返回一个SearchResult
,
* 标识此次查找成功,给定key
在节点中的索引和给定
* key
对应的值。如果不存在,则返回SearchResult
* 标识此次查找失败,给定key
应该插入的位置,该key
* 对应的值为null。
*
* 如果查找失败,返回结果中的索引域为[0, {@link #size()}];
* 如果查找成功,返回结果中的索引域为[0, {@link #size()} - 1]
*
* 这是一个二分查找算法,可以保证时间复杂度为O(log(t))。
*
* @param key - 给定的键值
* @return - 查找结果
*/
public SearchResult searchKey(Integer key)
{
int l = 0;
int h = keys.size() - 1;
int mid = 0;
while(l <= h)
{
mid = (l + h) / 2; // 先这么写吧,BTree实现中,l+h不可能溢出
if(keys.get(mid) == key)
break;
else if(keys.get(mid) > key)
h = mid - 1;
else // if(keys.get(mid) < key)
l = mid + 1;
}
boolean result = false;
int index = 0;
if(l <= h) // 说明查找成功
{
result = true;
index = mid; // index表示元素所在的位置
}
else
{
result = false;
index = l; // index表示元素应该插入的位置
}
return new SearchResult(result, index);
}
/**
* 将给定的key
追加到节点的末尾,
* 一定要确保调用该方法之后,节点中的关键字还是
* 以非降序存放。
*
* @param key - 给定的键值
*/
public void addKey(Integer key)
{
keys.add(key);
}
/**
* 删除给定索引的键值。
*
* 你需要自己保证给定的索引是合法的。
*
* @param index - 给定的索引
*/
public void removeKey(int index)
{
keys.remove(index);
}
/**
* 得到节点中给定索引的键值。
*
* 你需要自己保证给定的索引是合法的。
*
* @param index - 给定的索引
* @return 节点中给定索引的键值
*/
public Integer keyAt(int index)
{
return keys.get(index);
}
/**
* 在该节点中插入给定的key
,
* 该方法保证插入之后,其键值还是以非降序存放。
*
* 不过该方法的时间复杂度为O(t)。
*
* TODO 需要考虑键值是否可以重复。
*
* @param key - 给定的键值
*/
public void insertKey(Integer key)
{
SearchResult result = searchKey(key);
insertKey(key, result.getIndex());
}
/**
* 在该节点中给定索引的位置插入给定的key
,
* 你需要自己保证key
插入了正确的位置。
*
* @param key - 给定的键值
* @param index - 给定的索引
*/
public void insertKey(Integer key, int index)
{
/* TODO
* 通过新建一个ArrayList来实现插入真的很恶心,先这样吧
* 要是有类似C中的reallocate就好了。
*/
List newKeys = new ArrayList();
int i = 0;
// index = 0或者index = keys.size()都没有问题
for(; i < index; ++ i)
newKeys.add(keys.get(i));
newKeys.add(key);
for(; i < keys.size(); ++ i)
newKeys.add(keys.get(i));
keys = newKeys;
}
/**
* 返回节点中给定索引的子节点。
*
* 你需要自己保证给定的索引是合法的。
*
* @param index - 给定的索引
* @return 给定索引对应的子节点
*/
public BTreeNode childAt(int index)
{
if(isLeaf())
throw new UnsupportedOperationException("Leaf node doesn't have children.");
return children.get(index);
}
/**
* 将给定的子节点追加到该节点的末尾。
*
* @param child - 给定的子节点
*/
public void addChild(BTreeNode child)
{
children.add(child);
}
/**
* 删除该节点中给定索引位置的子节点。
*
* 你需要自己保证给定的索引是合法的。
*
* @param index - 给定的索引
*/
public void removeChild(int index)
{
children.remove(index);
}
/**
* 将给定的子节点插入到该节点中给定索引
* 的位置。
*
* @param child - 给定的子节点
* @param index - 子节点带插入的位置
*/
public void insertChild(BTreeNode child, int index)
{
List newChildren = new ArrayList();
int i = 0;
for(; i < index; ++ i)
newChildren.add(children.get(i));
newChildren.add(child);
for(; i < children.size(); ++ i)
newChildren.add(children.get(i));
children = newChildren;
}
}
private static final int DEFAULT_T = 2;
/** B树的根节点 */
private BTreeNode root;
/** 根据B树的定义,B树的每个非根节点的关键字数n满足(t - 1) <= n <= (2t - 1) */
private int t = DEFAULT_T;
/** 非根节点中最小的键值数 */
private int minKeySize = t - 1;
/** 非根节点中最大的键值数 */
private int maxKeySize = 2*t - 1;
public BTree()
{
root = new BTreeNode();
root.setLeaf(true);
}
public BTree(int t)
{
this();
this.t = t;
minKeySize = t - 1;
maxKeySize = 2*t - 1;
}
/**
* 搜索给定的key
。
*
* TODO 需要重新定义返回结果,应该返回
* key
对应的值。
*
* @param key - 给定的键值
* @return TODO 得返回值类型
*/
public int search(Integer key)
{
return search(root, key);
}
/**
* 在以给定节点为根的子树中,递归搜索
* 给定的key
*
* @param node - 子树的根节点
* @param key - 给定的键值
* @return TODO
*/
private static int search(BTreeNode node, Integer key)
{
SearchResult result = node.searchKey(key);
if(result.getResult())
return result.getIndex();
else
{
if(node.isLeaf())
return -1;
else
search(node.childAt(result.getIndex()), key);
}
return -1;
}
/**
* 分裂一个满子节点childNode
。
*
* 你需要自己保证给定的子节点是满节点。
*
* @param parentNode - 父节点
* @param childNode - 满子节点
* @param index - 满子节点在父节点中的索引
*/
private void splitNode(BTreeNode parentNode, BTreeNode childNode, int index)
{
assert childNode.size() == maxKeySize;
BTreeNode siblingNode = new BTreeNode();
siblingNode.setLeaf(childNode.isLeaf());
// 将满子节点中索引为[t, 2t - 2]的(t - 1)个关键字插入新的节点中
for(int i = 0; i < minKeySize; ++ i)
siblingNode.addKey(childNode.keyAt(t + i));
// 提取满子节点中的中间关键字,其索引为(t - 1)
Integer key = childNode.keyAt(t - 1);
// 删除满子节点中索引为[t - 1, 2t - 2]的t个关键字
for(int i = maxKeySize - 1; i >= t - 1; -- i)
childNode.removeKey(i);
if(!childNode.isLeaf()) // 如果满子节点不是叶节点,则还需要处理其子节点
{
// 将满子节点中索引为[t, 2t - 1]的t个子节点插入新的节点中
for(int i = 0; i < minKeySize + 1; ++ i)
siblingNode.addChild(childNode.childAt(t + i));
// 删除满子节点中索引为[t, 2t - 1]的t个子节点
for(int i = maxKeySize; i >= t; -- i)
childNode.removeChild(i);
}
// 将key插入父节点
parentNode.insertKey(key, index);
// 将新节点插入父节点
parentNode.insertChild(siblingNode, index + 1);
}
/**
* 在一个非满节点中插入给定的key
。
*
* @param node - 非满节点
* @param key - 给定的键值
*/
private void insertNotFull(BTreeNode node, Integer key)
{
assert node.size() < maxKeySize;
if(node.isLeaf()) // 如果是叶子节点,直接插入
node.insertKey(key);
else
{
/* 找到key在给定节点应该插入的位置,那么key应该插入
* 该位置对应的子树中
*/
SearchResult result = node.searchKey(key);
BTreeNode childNode = node.childAt(result.getIndex());
if(childNode.size() == 2*t - 1) // 如果子节点是满节点
{
// 则先分裂
splitNode(node, childNode, result.getIndex());
/* 如果给定的key大于分裂之后新生成的键值,则需要插入该新键值的右边,
* 否则左边。
*/
if(key > node.keyAt(result.getIndex()))
childNode = node.childAt(result.getIndex() + 1);
}
insertNotFull(childNode, key);
}
}
/**
* 在B树中插入给定的key
。
*
* @param key - 给定的键值
*/
public void insert(Integer key)
{
if(root.size() == maxKeySize) // 如果根节点满了,则B树长高
{
BTreeNode newRoot = new BTreeNode();
newRoot.setLeaf(false);
newRoot.addChild(root);
splitNode(newRoot, root, 0);
root = newRoot;
}
insertNotFull(root, key);
}
/**
* 从B树中删除一个给定的key
。
*
* @param key - 给定的键值
*/
public void delete(Integer key)
{
// root的情况还需要做一些特殊处理
delete(root, key);
}
/**
* 从以给定node
为根的子树中删除指定的key
。
*
* 删除的实现思想请参考《算法导论》第二版的第18章。
*
* TODO 需要重构,代码太长了
*
* @param node - 给定的节点
* @param key - 给定的键值
*/
public void delete(BTreeNode node, Integer key)
{
// 该过程需要保证,对非根节点执行删除操作时,其关键字个数至少为t。
assert node.size() >= t || node == root;
SearchResult result = node.searchKey(key);
/*
* 因为这是查找成功的情况,0 <= result.getIndex() <= (node.size() - 1),
* 因此(result.getIndex() + 1)不会溢出。
*/
if(result.getResult())
{
// 1.如果关键字在节点node中,并且是叶节点,则直接删除。
if(node.isLeaf())
node.removeKey(result.getIndex());
else
{
// 2.a 如果节点node中前于key的子节点包含至少t个关键字
BTreeNode leftChildNode = node.childAt(result.getIndex());
if(leftChildNode.size() >= t)
{
// 使用leftChildNode中的最后一个键值代替node中的key
node.removeKey(result.getIndex());
node.insertKey(leftChildNode.keyAt(leftChildNode.size() - 1), result.getIndex());
delete(leftChildNode, leftChildNode.keyAt(leftChildNode.size() - 1));
// node.
}
else
{
// 2.b 如果节点node中后于key的子节点包含至少t个关键字
BTreeNode rightChildNode = node.childAt(result.getIndex() + 1);
if(rightChildNode.size() >= t)
{
// 使用rightChildNode中的第一个键值代替node中的key
node.removeKey(result.getIndex());
node.insertKey(rightChildNode.keyAt(0), result.getIndex());
delete(rightChildNode, rightChildNode.keyAt(0));
}
else // 2.c 前于key和后于key的子节点都只包含t-1个关键字
{
node.removeKey(result.getIndex());
node.removeChild(result.getIndex() + 1);
// 将key和rightChildNode中的键值合并进leftChildNode
leftChildNode.addKey(key);
for(int i = 0; i < rightChildNode.size(); ++ i)
leftChildNode.addKey(rightChildNode.keyAt(i));
// 将rightChildNode中的子节点合并进leftChildNode,如果有的话
if(!rightChildNode.isLeaf())
{
for(int i = 0; i <= rightChildNode.size(); ++ i)
leftChildNode.addChild(rightChildNode.childAt(i));
}
delete(leftChildNode, key);
}
}
}
}
else
{
/*
* 因为这是查找失败的情况,0 <= result.getIndex() <= node.size(),
* 因此(result.getIndex() + 1)会溢出。
*/
if(node.isLeaf()) // 如果关键字不在节点node中,并且是叶节点,则什么都不做,因为该关键字不在该B树中
{
logger.info("The key: " + key + " isn't in this BTree.");
return;
}
BTreeNode childNode = node.childAt(result.getIndex());
if(childNode.size() >= t)
delete(childNode, key); // 递归删除
else // 3
{
// 先查找右边的兄弟节点
BTreeNode siblingNode = null;
int siblingIndex = -1;
if(result.getIndex() < node.size()) // 存在右兄弟节点
{
if(node.childAt(result.getIndex() + 1).size() >= t)
{
siblingNode = node.childAt(result.getIndex() + 1);
siblingIndex = result.getIndex() + 1;
}
}
// 如果右边的兄弟节点不符合条件,则试试左边的兄弟节点
if(siblingNode == null)
{
if(result.getIndex() > 0) // 存在左兄弟节点
{
if(node.childAt(result.getIndex() - 1).size() >= t)
{
siblingNode = node.childAt(result.getIndex() - 1);
siblingIndex = result.getIndex() - 1;
}
}
}
// 3.a 有一个相邻兄弟节点至少包含t个关键字
if(siblingNode != null)
{
if(siblingIndex < result.getIndex()) // 左兄弟节点满足条件
{
childNode.insertKey(node.keyAt(siblingIndex), 0);
node.removeKey(siblingIndex);
node.insertKey(siblingNode.keyAt(siblingNode.size() - 1), siblingIndex);
siblingNode.removeKey(siblingNode.size() - 1);
// 将左兄弟节点的最后一个孩子移到childNode
if(!siblingNode.isLeaf())
{
childNode.insertChild(siblingNode.childAt(siblingNode.size()), 0);
siblingNode.removeChild(siblingNode.size());
}
}
else // 右兄弟节点满足条件
{
childNode.insertKey(node.keyAt(result.getIndex()), childNode.size() - 1);
node.removeKey(result.getIndex());
node.insertKey(siblingNode.keyAt(0), result.getIndex());
siblingNode.removeKey(0);
// 将右兄弟节点的第一个孩子移到childNode
// childNode.insertChild(siblingNode.childAt(0), childNode.size() + 1);
if(!siblingNode.isLeaf())
{
childNode.addChild(siblingNode.childAt(0));
siblingNode.removeChild(0);
}
}
delete(childNode, key);
}
else // 3.b 如果其相邻左右节点都包含t-1个关键字
{
if(result.getIndex() < node.size()) // 存在右兄弟
{
BTreeNode rightSiblingNode = node.childAt(result.getIndex() + 1);
childNode.addKey(node.keyAt(result.getIndex()));
node.removeKey(result.getIndex());
node.removeChild(result.getIndex() + 1);
for(int i = 0; i < rightSiblingNode.size(); ++ i)
childNode.addKey(rightSiblingNode.keyAt(i));
if(!rightSiblingNode.isLeaf())
{
for(int i = 0; i <= rightSiblingNode.size(); ++ i)
childNode.addChild(rightSiblingNode.childAt(i));
}
}
else // 存在左节点
{
BTreeNode leftSiblingNode = node.childAt(result.getIndex() - 1);
childNode.addKey(node.keyAt(result.getIndex() - 1));
node.removeKey(result.getIndex() - 1);
node.removeChild(result.getIndex() - 1);
for(int i = leftSiblingNode.size() - 1; i >= 0; -- i)
childNode.insertKey(leftSiblingNode.keyAt(i), 0);
if(!leftSiblingNode.isLeaf())
{
for(int i = leftSiblingNode.size(); i >= 0; -- i)
childNode.insertChild(leftSiblingNode.childAt(i), 0);
}
}
// 如果node是root并且node不包含任何关键字了
if(node == root && node.size() == 0)
root = childNode;
delete(childNode, key);
}
}
}
}
/**
* 一个简单的层次遍历B树实现,用于输出B树。
*
* TODO 待改进,使显示更加形象化。
*/
public void output()
{
Queue queue = new LinkedList();
queue.offer(root);
while(!queue.isEmpty())
{
BTreeNode node = queue.poll();
for(int i = 0; i < node.size(); ++ i)
System.out.print(node.keyAt(i) + " ");
System.out.println();
if(!node.isLeaf())
{
for(int i = 0; i <= node.size(); ++ i)
queue.offer(node.childAt(i));
}
}
}
public static void main(String[] args)
{
Random random = new Random();
BTree btree = new BTree();
for(int i = 0; i < 10; ++ i)
{
int r = random.nextInt(100);
System.out.println(r);
btree.insert(r);
}
System.out.println("----------------------");
btree.output();
}
}
转自:http://blog.csdn.net/wangpingfang/article/details/7426943
其他java实现balance tree
package debuggees;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.NoSuchElementException;
/**
* jBixbe debuggee: test insert and delete operation of a balanced tree data
* structure. Using integer values read from keyboard as tree elements.
*
* @author ds-emedia
*/
public class BTree> {
private static BTree tree = new BTree();
private static BufferedReader reader = new BufferedReader(
new InputStreamReader(System.in));
public static void main(String args[]) throws IOException {
System.out.println("test balanced tree operations");
System.out.println("*****************************");
String input;
Integer value;
do {
input = stringInput("please select: [i]nsert, [d]elete, [e]xit");
switch (input.charAt(0)) {
case 'i':
value = Integer.parseInt(stringInput("insert: "), 10);
if (tree.isMember(value)) {
System.out.println("value " + value + " already in tree");
} else {
tree.insert(value);
}
break;
case 'd':
value = Integer.parseInt(stringInput("delete: "), 10);
if (tree.isMember(value)) {
tree.delete(value);
} else {
System.out.println(value + " not found in tree");
}
break;
}
} while ((input.charAt(0) != 'e'));
}
private static String stringInput(String inputRequest) throws IOException {
System.out.println(inputRequest);
return reader.readLine();
}
/* +++++++++++ instance declarations +++++++++++ */
private Node root;
/**
* Creates an empty balanced tree.
*/
public BTree() {
root = null;
}
/**
* Creates a balances tree using the given node as tree root.
*/
public BTree(Node root) {
this.root = root;
}
/**
* Inserts an element into the tree.
*/
public void insert(T info) {
insert(info, root, null, false);
}
/**
* Checks whether the given element is already in the tree.
*/
public boolean isMember(T info) {
return isMember(info, root);
}
/**
* Removes an elememt from the tree.
*/
public void delete(T info) {
delete(info, root);
}
/**
* Returns a text representation of the tree.
*/
public String toString() {
return inOrder();
}
/**
* Returns all elements of the tree in in-order traversing.
*/
public String inOrder() {
return inOrder(root);
}
/**
* Returns all elements of the tree in pre-order traversing.
*/
public String preOrder() {
return preOrder(root);
}
/**
* Returns all elements of the tree in post-order traversing.
*/
public String postOrder() {
return postOrder(root);
}
/**
* Returns the height of the tree.
*/
public int getHeight() {
return getHeight(root);
}
private void insert(T info, Node node, Node parent, boolean right) {
if (node == null) {
if (parent == null) {
root = node = new Node(info, parent);
} else if (right) {
parent.right = node = new Node(info, parent);
} else {
parent.left = node = new Node(info, parent);
}
restructInsert(node, false);
} else if (info.compareTo(node.information) == 0) {
node.information = info;
} else if (info.compareTo(node.information) > 0) {
insert(info, node.right, node, true);
} else {
insert(info, node.left, node, false);
}
}
private boolean isMember(T info, Node node) {
boolean member = false;
if (node == null) {
member = false;
} else if (info.compareTo(node.information) == 0) {
member = true;
} else if (info.compareTo(node.information) > 0) {
member = isMember(info, node.right);
} else {
member = isMember(info, node.left);
}
return member;
}
private void delete(T info, Node node) throws NoSuchElementException {
if (node == null) {
throw new NoSuchElementException();
} else if (info.compareTo(node.information) == 0) {
deleteNode(node);
} else if (info.compareTo(node.information) > 0) {
delete(info, node.right);
} else {
delete(info, node.left);
}
}
private void deleteNode(Node node) {
Node eNode, minMaxNode, delNode = null;
boolean rightNode = false;
if (node.isLeaf()) {
if (node.parent == null) {
root = null;
} else if (node.isRightNode()) {
node.parent.right = null;
rightNode = true;
} else if (node.isLeftNode()) {
node.parent.left = null;
}
delNode = node;
} else if (node.hasLeftNode()) {
minMaxNode = node.left;
for (eNode = node.left; eNode != null; eNode = eNode.right) {
minMaxNode = eNode;
}
delNode = minMaxNode;
node.information = minMaxNode.information;
if (node.left.right != null) {
minMaxNode.parent.right = minMaxNode.left;
rightNode = true;
} else {
minMaxNode.parent.left = minMaxNode.left;
}
if (minMaxNode.left != null) {
minMaxNode.left.parent = minMaxNode.parent;
}
} else if (node.hasRightNode()) {
minMaxNode = node.right;
delNode = minMaxNode;
rightNode = true;
node.information = minMaxNode.information;
node.right = minMaxNode.right;
if (node.right != null) {
node.right.parent = node;
}
node.left = minMaxNode.left;
if (node.left != null) {
node.left.parent = node;
}
}
restructDelete(delNode.parent, rightNode);
}
private int getHeight(Node node) {
int height = 0;
if (node == null) {
height = -1;
} else {
height = 1 + Math.max(getHeight(node.left), getHeight(node.right));
}
return height;
}
private String inOrder(Node node) {
String result = "";
if (node != null) {
result = result + inOrder(node.left) + " ";
result = result + node.information.toString();
result = result + inOrder(node.right);
}
return result;
}
private String preOrder(Node node) {
String result = "";
if (node != null) {
result = result + node.information.toString() + " ";
result = result + preOrder(node.left);
result = result + preOrder(node.right);
}
return result;
}
private String postOrder(Node node) {
String result = "";
if (node != null) {
result = result + postOrder(node.left);
result = result + postOrder(node.right);
result = result + node.information.toString() + " ";
}
return result;
}
private void restructInsert(Node node, boolean wasRight) {
if (node != root) {
if (node.parent.balance == '_') {
if (node.isLeftNode()) {
node.parent.balance = '/';
restructInsert(node.parent, false);
} else {
node.parent.balance = '\\';
restructInsert(node.parent, true);
}
} else if (node.parent.balance == '/') {
if (node.isRightNode()) {
node.parent.balance = '_';
} else {
if (!wasRight) {
rotateRight(node.parent);
} else {
doubleRotateRight(node.parent);
}
}
} else if (node.parent.balance == '\\') {
if (node.isLeftNode()) {
node.parent.balance = '_';
} else {
if (wasRight) {
rotateLeft(node.parent);
} else {
doubleRotateLeft(node.parent);
}
}
}
}
}
private void restructDelete(Node z, boolean wasRight) {
Node parent;
boolean isRight = false;
boolean climb = false;
boolean canClimb;
if (z == null) {
return;
}
parent = z.parent;
canClimb = (parent != null);
if (canClimb) {
isRight = z.isRightNode();
}
if (z.balance == '_') {
if (wasRight) {
z.balance = '/';
} else {
z.balance = '\\';
}
} else if (z.balance == '/') {
if (wasRight) {
if (z.left.balance == '\\') {
doubleRotateRight(z);
climb = true;
} else {
rotateRight(z);
if (z.balance == '_') {
climb = true;
}
}
} else {
z.balance = '_';
climb = true;
}
} else {
if (wasRight) {
z.balance = '_';
climb = true;
} else {
if (z.right.balance == '/') {
doubleRotateLeft(z);
climb = true;
} else {
rotateLeft(z);
if (z.balance == '_') {
climb = true;
}
}
}
}
if (canClimb && climb) {
restructDelete(parent, isRight);
}
}
private void rotateLeft(Node a) {
Node b = a.right;
if (a.parent == null) {
root = b;
} else {
if (a.isLeftNode()) {
a.parent.left = b;
} else {
a.parent.right = b;
}
}
a.right = b.left;
if (a.right != null) {
a.right.parent = a;
}
b.parent = a.parent;
a.parent = b;
b.left = a;
if (b.balance == '_') {
a.balance = '\\';
b.balance = '/';
} else {
a.balance = '_';
b.balance = '_';
}
}
private void rotateRight(Node a) {
Node b = a.left;
if (a.parent == null) {
root = b;
} else {
if (a.isLeftNode()) {
a.parent.left = b;
} else {
a.parent.right = b;
}
}
a.left = b.right;
if (a.left != null) {
a.left.parent = a;
}
b.parent = a.parent;
a.parent = b;
b.right = a;
if (b.balance == '_') {
a.balance = '/';
b.balance = '\\';
} else {
a.balance = '_';
b.balance = '_';
}
}
private void doubleRotateLeft(Node a) {
Node b = a.right;
Node c = b.left;
if (a.parent == null) {
root = c;
} else {
if (a.isLeftNode()) {
a.parent.left = c;
} else {
a.parent.right = c;
}
}
c.parent = a.parent;
a.right = c.left;
if (a.right != null) {
a.right.parent = a;
}
b.left = c.right;
if (b.left != null) {
b.left.parent = b;
}
c.left = a;
c.right = b;
a.parent = c;
b.parent = c;
if (c.balance == '/') {
a.balance = '_';
b.balance = '\\';
} else if (c.balance == '\\') {
a.balance = '/';
b.balance = '_';
} else {
a.balance = '_';
b.balance = '_';
}
c.balance = '_';
}
private void doubleRotateRight(Node a) {
Node b = a.left;
Node c = b.right;
if (a.parent == null) {
root = c;
} else {
if (a.isLeftNode()) {
a.parent.left = c;
} else {
a.parent.right = c;
}
}
c.parent = a.parent;
a.left = c.right;
if (a.left != null) {
a.left.parent = a;
}
b.right = c.left;
if (b.right != null) {
b.right.parent = b;
}
c.right = a;
c.left = b;
a.parent = c;
b.parent = c;
if (c.balance == '/') {
b.balance = '_';
a.balance = '\\';
} else if (c.balance == '\\') {
b.balance = '/';
a.balance = '_';
} else {
b.balance = '_';
a.balance = '_';
}
c.balance = '_';
}
class Node {
T information;
Node parent;
Node left;
Node right;
char balance;
public Node(T information, Node parent) {
this.information = information;
this.parent = parent;
this.left = null;
this.right = null;
this.balance = '_';
}
boolean isLeaf() {
return ((left == null) && (right == null));
}
boolean isNode() {
return !isLeaf();
}
boolean hasLeftNode() {
return (null != left);
}
boolean hasRightNode() {
return (right != null);
}
boolean isLeftNode() {
return (parent.left == this);
}
boolean isRightNode() {
return (parent.right == this);
}
}
}
B树和B+树
B+树的定义:
1.任意非叶子结点最多有M个子节点;且M>2;
2.除根结点以外的非叶子结点至少有 M/2个子节点;
3.根结点至少有2个子节点;
4.除根节点外每个结点存放至少M/2和至多M个关键字;(至少2个关键字)
5.非叶子结点的子树指针与关键字个数相同;
6.所有结点的关键字:K[1], K[2], …, K[M];且K[i] < K[i+1];
7.非叶子结点的子树指针P[i],指向关键字值属于[K[i], K[i+1])的子树;
8.所有叶子结点位于同一层;
5.为所有叶子结点增加一个链指针;
6.所有关键字都在叶子结点出现;