程序2
public class MyMain { public static void main(String[] args) { Singleton obj = Singleton.getInstance(); System.out.println("obj.counter1=="+obj.counter1); System.out.println("obj.counter2=="+obj.counter2); } } 执行结果是:
obj.counter1==1 obj.counter2==0
你有没有被此结果吓一跳?乍看程序代码,你很可能会认为counter1和counter2的值一定 会相等,但执行结果显然不是如此。其实,程序1被编译后的程序应该等同于下面的程序3 :
class Singleton { private static Singleton obj; public static int counter1; public static int counter2; static { // 这就是class constructor // 在进入此class constructor之前,class已经被JVM // 配置好内存,所有的static field都会被先设定为0, // 所以此时counter1和counter2都已经是0, 且singleton为null obj = new Singleton(); // 问题皆由此行程序产生 // counter1不会在此被设定为0 counter2 = 0; // counter2再被设定一次0(其实是多此一举) } private Singleton() { // 这是instance constructor counter1++; counter2++; } public static Singleton getInstance() { return obj; } }
|