共计 748 个字符,预计需要花费 2 分钟才能阅读完成。
在 Java 中,可以通过以下两种方式来实现单例模式:
- 懒汉式单例模式(Lazy Initialization):
public class Singleton {
private static Singleton instance;
private Singleton() {}
public static Singleton getInstance() {if (instance == null) {instance = new Singleton();
}
return instance;
}
}
这种方式在第一次调用 getInstance()
方法时才会创建实例,因此称之为懒汉式。但是在多线程环境下,多个线程可能同时进入到 instance == null
的判断中,导致创建多个实例的问题。
为了解决多线程问题,可以对 getInstance()
方法进行加锁:
public static synchronized Singleton getInstance() {if (instance == null) {instance = new Singleton();
}
return instance;
}
但是这样会导致每次调用 getInstance()
方法时都需要进行加锁操作,降低了性能。
- 饿汉式单例模式(Eager Initialization):
public class Singleton {private static Singleton instance = new Singleton();
private Singleton() {}
public static Singleton getInstance() {return instance;}
}
在类加载时就创建实例,因此称之为饿汉式。这种方式不存在多线程问题,但是如果该实例在整个程序的生命周期中很少被使用,会造成内存浪费。
丸趣 TV 网 – 提供最优质的资源集合!
正文完