1.红黑树 1.1概述【理解】
红黑树的特点
平衡二叉B树
每一个节点可以是红或者黑
红黑树不是高度平衡的,它的平衡是通过"自己的红黑规则"进行实现的
红黑树的红黑规则有哪些
每一个节点或是红色的,或者是黑色的
根节点必须是黑色
如果一个节点没有子节点或者父节点,则该节点相应的指针属性值为Nil,这些Nil视为叶节点,每个叶节点(Nil)是黑色的
如果某一个节点是红色,那么它的子节点必须是黑色(不能出现两个红色节点相连 的情况)
对每一个节点,从该节点到其所有后代叶节点的简单路径上,均包含相同数目的黑色节点
红黑树添加节点的默认颜色
添加节点时,默认为红色,效率高
红黑树添加节点后如何保持红黑规则
根节点位置
直接变为黑色
非根节点位置
父节点为黑色
不需要任何操作,默认红色即可
父节点为红色
叔叔节点为红色
将"父节点"设为黑色,将"叔叔节点"设为黑色
将"祖父节点"设为红色
如果"祖父节点"为根节点,则将根节点再次变成黑色
叔叔节点为黑色
将"父节点"设为黑色
将"祖父节点"设为红色
以"祖父节点"为支点进行旋转
1.2成绩排序案例【应用】
案例需求
用TreeSet集合存储多个学生信息(姓名,语文成绩,数学成绩,英语成绩),并遍历该集合
要求: 按照总分从高到低出现
代码实现
学生类
1 public class Student implements Comparable<Student> { 2 private String name; 3 private int chinese; 4 private int math; 5 private int english; 6 7 public Student() { 8 } 9 10 public Student(String name, int chinese, int math, int english) { 11 this.name = name; 12 this.chinese = chinese; 13 this.math = math; 14 this.english = english; 15 } 16 17 public String getName() { 18 return name; 19 } 20 21 public void setName(String name) { 22 this.name = name; 23 } 24 25 public int getChinese() { 26 return chinese; 27 } 28 29 public void setChinese(int chinese) { 30 this.chinese = chinese; 31 } 32 33 public int getMath() { 34 return math; 35 } 36 37 public void setMath(int math) { 38 this.math = math; 39 } 40 41 public int getEnglish() { 42 return english; 43 } 44 45 public void setEnglish(int english) { 46 this.english = english; 47 } 48 49 public int getSum() { 50 return this.chinese + this.math + this.english; 51 } 52 53 @Override 54 public int compareTo(Student o) { 55 // 主要条件: 按照总分进行排序 56 int result = o.getSum() - this.getSum(); 57 // 次要条件: 如果总分一样,就按照语文成绩排序 58 result = result == 0 ? o.getChinese() - this.getChinese() : result; 59 // 如果语文成绩也一样,就按照数学成绩排序 60 result = result == 0 ? o.getMath() - this.getMath() : result; 61 // 如果总分一样,各科成绩也都一样,就按照姓名排序 62 result = result == 0 ? o.getName().compareTo(this.getName()) : result; 63 return result; 64 } 65 }