如何防止反射破坏单例类模式?
单例模式指出,一个类只能有一个实例,不允许创建多个实例。为此,我们将类的构造函数设为私有,并通过静态方法返回一个实例。但是使用反射,我们仍然可以通过修改构造函数作用域来创建类的多个实例。见以下示例 -
示例 - 中断单例
import java.io.Serializable; import java.lang.reflect.Constructor; import java.lang.reflect.InvocationTargetException; public class Tester { public static void main(String[] args) throws InstantiationException, IllegalAccessException, IllegalArgumentException, InvocationTargetException{ A a = A.getInstance(); A b = null; Constructor<?>[] constructors = A.class.getDeclaredConstructors(); for (Constructor constructor : constructors) { //make the private constructor as public constructor.setAccessible(true); b = (A) constructor.newInstance(); break; } System.out.println(a.hashCode()); System.out.println(b.hashCode()); } } class A implements Serializable { private static A a; private A(){} public static A getInstance(){ if(a == null){ a = new A(); } return a; } }
输出
705927765 366712642
这里你可以看到,我们创建了一个单例类的另一个对象。让我们看看如何防止这种情况 -
创建 A 使用枚举而不是类。
示例 - 保护单例
import java.io.Serializable; import java.lang.reflect.InvocationTargetException; public class Tester { public static void main(String[] args) throws InstantiationException, IllegalAccessException, IllegalArgumentException, InvocationTargetException{ A a = A.INSTANCE; A b = A.INSTANCE; System.out.println(a.hashCode()); System.out.println(b.hashCode()); } } enum A implements Serializable { INSTANCE; }
输出
705927765 705927765
广告