目录
- 前言
- 1.杜绝被别的外部类调度或实例化
- 2.只为其依附的外部类服务
前言
在jdk源码中我们发现很多常用到的类里面都带有一个私有静态内部类,神秘的内部类一直都是让我头疼的东西,那这个“私有静态内部类”又是一个什么鬼呢?
解释前,我先给出一个熟识度高的使用案列—“IntegerCache”,这只是冰山一角,但他却是我们实际用的比较多的,但是被我们忽略的。jdk1.8中他是一个定义在Integer下的私有静态内部类:
private static class IntegerCache {static final int low &#61; -128;static final int high;static final Integer cache[];static {int h &#61; 127;String integerCacheHighPropValue &#61;sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high");if (integerCacheHighPropValue !&#61; null) {try {int i &#61; parseInt(integerCacheHighPropValue);i &#61; Math.max(i, 127);h &#61; Math.min(i, Integer.MAX_VALUE - (-low) -1);} catch( NumberFormatException nfe) {}}high &#61; h;cache &#61; new Integer[(high - low) &#43; 1];int j &#61; low;for(int k &#61; 0; k < cache.length; k&#43;&#43;)cache[k] &#61; new Integer(j&#43;&#43;);assert IntegerCache.high >&#61; 127;}private IntegerCache() {}}
看起来跟正常类没区别呀&#xff0c;并且平常不是说—“静态内部类就是一个顶级类”吗&#xff1f;那这加了一个private又是怎么回事&#xff1f;
1.杜绝被别的外部类调度或实例化
class A{static class C{static final String high;static {high&#61;"这是C的high";System.out.println(high);}}private static class B {static final String high;static {high&#61;"这是B的high";System.out.println(high);}private B() {System.out.println("这是B()方法");}}public void c() {System.out.println(C.high);System.out.println(B.high);}
}class E{public static void main(String[] args) {A.B b1&#61;new A.B(); A.C c1&#61;new A.C();System.out.println(A.C.high);System.out.println(A.B.high); }
}
上面的代码会在注释处报错&#xff0c;因为静态内部类B被private修饰。
2.只为其依附的外部类服务
为其依附外部类&#xff0c;提供一个更小的&#xff0c;功能单一的小模块。并且这个模块是不需要实体化的&#xff0c;且不容许其他外部类访问。
给出一段代码&#xff1a;
class A{private static class B {static final String high; static {high&#61;"这是B的high"&#43;Math.random();; System.out.println("static块&#xff1a;"&#43;high);}private B() {System.out.println("这是B()方法");}}public void c() {System.out.println("c()方法&#xff1a;"&#43;B.high); }
}class E{public static void main(String[] args) {A a_1&#61;new A(); a_1.c(); a_1.c();A a_2&#61;new A();a_2.c(); }
}
输出&#xff1a;
static块&#xff1a;这是B的high0.30008771595404693
c()方法&#xff1a;这是B的high0.30008771595404693
c()方法&#xff1a;这是B的high0.30008771595404693
c()方法&#xff1a;这是B的high0.30008771595404693
上面就是一个体现&#xff0c;就是当我们用到A时&#xff0c;加载A类并实例化A时&#xff0c;这一步还不会执行私有静态内部类&#xff0c;当我们调用c()方法时&#xff0c;因为c()方法中显示的调用了B.high&#xff0c;所以会触发B类的加载初始化&#xff0c;B这个小模版的功能就是提供一个high常量&#xff0c;并完成初始化&#xff0c;而这个high只提供给A使用&#xff0c;因为是static块&#xff0c;所以只会在第一次加载执行一次。所以就算我们后面还去重新实例化A对象&#xff0c;high值都不会在变。
内部类的权限拦截对依附类是不生效的。
Integer中的Integercache也是同理。只为其依附的外部类服务。