标签:
一、单例设计模式实例举例
单例模式(Singleton)也叫单态模式,是设计模式中最为简单的一种模式,甚至有些模式大师都不称其为模式,称其为一种实现技巧,因为设计模式讲究对象之间的关系的抽象,而单例模式只有自己一个对象,也因此有些设计大师并把把其称为设计模式之一。
这里又不具体讲如何实现单例模式和介绍其原理(因为这方便的已经有太多的好文章介绍了),如果对单例模式不了解的可以先看下:http://terrylee.cnblogs.com/archive/2005/12/09/293509.html 。当然也可以自己搜索。
好多没怎么使用过的人可能会想,单例模式感觉不怎么用到,实际的应用场景有哪些呢?以下,我将列出一些就在咱们周边和很有意义的单例应用场景。
1. Windows的Task Manager(任务管理器)就是很典型的单例模式(这个很熟悉吧),想想看,是不是呢,你能打开两个windows task manager吗? 不信你自己试试看哦~
2. windows的Recycle Bin(回收站)也是典型的单例应用。在整个系统运行过程中,回收站一直维护着仅有的一个实例。
3. 网站的计数器,一般也是采用单例模式实现,否则难以同步。
4. 应用程序的日志应用,一般都何用单例模式实现,这一般是由于共享的日志文件一直处于打开状态,因为只能有一个实例去操作,否则内容不好追加。
5. Web应用的配置对象的读取,一般也应用单例模式,这个是由于配置文件是共享的资源。
6. 数据库连接池的设计一般也是采用单例模式,因为数据库连接是一种数据库资源。数据库软件系统中使用数据库连接池,主要是节省打开或者关闭数据库连接所引起的效率损耗,这种效率上的损耗还是非常昂贵的,因为何用单例模式来维护,就可以大大降低这种损耗。
7. 多线程的线程池的设计一般也是采用单例模式,这是由于线程池要方便对池中的线程进行控制。
8. 操作系统的文件系统,也是大的单例模式实现的具体例子,一个操作系统只能有一个文件系统。
9. HttpApplication 也是单位例的典型应用。熟悉ASP.Net(IIS)的整个请求生命周期的人应该知道HttpApplication也是单例模式,所有的HttpModule都共享一个HttpApplication实例.
class CountSingleton
{
private CountSingleton()
{
Thread.Sleep(200); //休眠 200毫秒
}
private int count=0;
private static CountSingleton instance = new CountSingleton();
#region //获取对象实例的两种方法
public static CountSingleton Instance
{
get
{
return instance;
}
}
public static CountSingleton getIstance()
{
return instance;
}
#endregion
// 计数器加 1
public void add()
{
count++;
}
//获取当前计数器的值
public int getCurrentCount()
{
return count;
}
}
class CountMutilThread
{
public CountMutilThread() { }
public void doSomeWork()
{
string result = "";
CountSingleton myCounter = CountSingleton.Instance;
for (int i = 0; i < 5; i++)
{
myCounter.add();
result += "线程";
result += Thread.CurrentThread.Name.ToString() + "-->";
result += "当前计数:";
result += myCounter.getCurrentCount() + "\n";
Console.Write(result);
result = "";
}
}
public string doSomeWork1()
{
string result = "";
CountSingleton myCounter = CountSingleton.Instance;
for (int i = 0; i < 5; i++)
{
myCounter.add();
result += "线程";
result += Thread.CurrentThread.Name.ToString() + "-->";
result += "当前计数:";
result += myCounter.getCurrentCount() + "\n";
}
return result;
}
public void startMain()
{
Thread thread0 = Thread.CurrentThread;
thread0.Name = "thread0";
Thread thread1 = new Thread(new ThreadStart(doSomeWork));
thread1.Name = "thread1";
Thread thread2 = new Thread(new ThreadStart(doSomeWork));
thread2.Name = "thread2";
Thread thread3 = new Thread(new ThreadStart(doSomeWork));
thread3.Name = "thread3";
thread1.Start();
thread2.Start();
thread3.Start();
doSomeWork();
}
}
标签:
原文地址:http://www.cnblogs.com/csywustc/p/4669048.html