单例模式确保某个类只有一个实例,而且自行实例化并向整个系统提供这个实例。
在计算机系统中,线程池、缓存、日志对象、对话框、打印机、显卡的驱动程序对象常被设计成单例。这些应用都或多或少具有资源管理器的功能。
每台计算机可以有若干个打印机,但只能有一个Printer Spooler,以避免两个打印作业同时输出到打印机中。每台计算机可以有若干通信端口,系统应当集中管理这些通信端口,以避免一个通信端口同时被两个请求同时调用。总之,选择单例模式就是为了避免不一致状态,避免政出多头。
public class SingletonThread implements Runnable {
private User u = null; public static void main(String[] args) throws InterruptedException {
for(int i=0;i<1000;i++){
SingletonThread t = new SingletonThread();
SingletonThread t1 = new SingletonThread();
Thread t3 = new Thread(t);
Thread t4 = new Thread(t1);
t3.start();
t4.start();
t3.join(0);
t4.join(0);
if(t.getUser()!=t1.getUser())
System.out.println("多线程引起单例创建失败...");
} }
public User getUser() {
return u;
} @Override
public void run() {
try {
u = User.getInstance();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
/*
* 懒汉式单例--线程不安全
* */
public static class User {
private User() {
} private static User u = null; public static User getInstance() throws InterruptedException {
if (u == null) {
Thread.currentThread().sleep(1000);
System.out.println("threadId:" + Thread.currentThread().getId());
u = new User();
}
return u;
}
}
/*
* 恶汉式单例--线程安全
*
* */
public static class User1 {
private User1() {}
private static User1 u = new User1(); public static User1 getInstance() throws InterruptedException {
Thread.currentThread().sleep(1000);
return u;
}
} }