在Java中,单例类的线程安全问题是一个常见的问题。当多个线程同时访问单例类的实例时,可能会导致实例被创建多次,从而破坏了单例类的唯一性。为了解决这个问题,我们可以使用以下几种方法来实现线程安全的单例类:
public class Singleton {
private static Singleton instance;
private Singleton() {}
public static synchronized Singleton getInstance() {
if (instance == null) {
instance = new Singleton();
}
return instance;
}
}
public class Singleton {
private static volatile Singleton instance;
private Singleton() {}
public static Singleton getInstance() {
if (instance == null) {
synchronized (Singleton.class) {
if (instance == null) {
instance = new Singleton();
}
}
}
return instance;
}
}
public class Singleton {
private Singleton() {}
private static class SingletonHolder {
private static final Singleton INSTANCE = new Singleton();
}
public static Singleton getInstance() {
return SingletonHolder.INSTANCE;
}
}
public enum Singleton {
INSTANCE;
public void doSomething() {
// ...
}
}
以上四种方法都可以实现线程安全的单例类,你可以根据自己的需求选择合适的方法。