目录
享元模式(Flyweight Pattern) 也叫 蝇量模式,运用共享技术有效地支持大量细粒度的对象。简单来说就是共享对象。
享元模式类图
FlyWeight:抽象的享元角色,是产品的抽象类,同时定义出对象的内部状态与外部状态的接口或者实现。
ConcreteFlyWeight:具体的享元对象,是具体的产品类。
FlyWeightFactory:享元工厂类,用于构建一个池容器,可以返回池中实例。
下面 说明一下内部状态与外部状态
内部状态:指对象共享出来的信息,储存再享元对象内部且不随外部环境变化。
外部状态:随环境变化,不可共享。
总结一句话就是享元模式可以用来实现池技术,实现对象的共享,解决性能问题。
常量池的原理就用到了享元模式。
- public static void main(String[] args) {
- //1. 在valueOf 方法中,先判断值是否在 IntegerCache 中,如果不在,就创建新的Integer(new), 否则,就直接从 缓存池返回
- //2. valueOf 方法,就使用到享元模式
- //3. 如果使用valueOf 方法得到一个Integer 实例,范围在 -128 - 127 ,执行速度比 new 快
- Integer x = Integer.valueOf(127); // 得到 x实例,类型 Integer
- Integer y = new Integer(127); // 得到 y 实例,类型 Integer
- Integer z = Integer.valueOf(127);//..
- Integer w = new Integer(127);
-
- System.out.println(x.equals(y)); // 大小,true
- System.out.println(x == y ); // false
- System.out.println(x == z ); // true
- System.out.println(w == x ); // false
- System.out.println(w == y ); // false
-
- Integer x1 = Integer.valueOf(200);
- Integer x2 = Integer.valueOf(200);
- System.out.println(x1 == x2); // false
- }
- public static Integer valueOf(int i) {
- if (i >= IntegerCache.low && i <= IntegerCache.high)
- return IntegerCache.cache[i + (-IntegerCache.low)];
- return new Integer(i);
- }