设计模式的分类:
1.创建型模式: 与对象创建有关.单例模式
2.结构型模式:处理类或对象的组合.装饰模式,适配器模式
3.行为型模式:描述类或对象如何交互及如何分配职责.观察者模式,策略模式
看c++的构造方法,无意中想到,构造方法要定义为public的,这样才可以在main()函数中,实例化对象。后来查阅资料,发现有些设计模式是可以实现构造函数定义为private类型的。如下面简单的单例模式:
此方法的局限性比较大。
#include<iostream>
#include<string>
using namespace std;
class SingleInstance
{
private:
SingleInstance( string str = "qiqi" ):m_str( str ) 1)
{
}
static SingleInstance* pInstance ; 4)//static成员函数只能操作static成员变量
public:
void print()
{
cout << this->m_str << endl;
}
//为什么是static?因为要调用此方法,需要是对象,这里无法实例化对象,定义成static,只有这一份,可以通过类名操作
static SingleInstance* getInstance() // 要在public中才能被其他成员方法调用
{
if( !pInstance )
pInstance = new SingleInstance; 2)
return pInstance; 3)
}
string m_str;
};
SingleInstance* SingleInstance::pInstance =NULL ; 5) // 初始化为NULL,在getInstance()中创建pInstance,static 成员变量的初始化必须在类外。
void main()
{
SingleInstance::getInstance()->print() ; 6)
}
//观察者模式
#include <iostream>
#include <list>
using namespace std;
class observer
{
public:
virtual void notify()
{
cout<<"observe"<<endl;
}
};
class Aobserver:public observer
{
public:
void notify()
{
cout<<"A observer"<<endl;
}
};
class Bobserver:public observer
{
public:
void notify()
{
cout<<"B observer"<<endl;
}
};
class subject
{
public:
list<observer *> observe;
void add(observer * m_observer)
{
observe.push_back(m_observer);
}
void ToNotify()
{
list<observer *>::iterator it=observe.begin();
for( ;it !=observe.end(); it++)
{
(*it)->notify();
}
}
};
void main()
{
Aobserver a;
Bobserver b;
subject sub;
sub.add(&a);
sub.add(&b);
sub.ToNotify();
system("pause");
}
适配器模式
class adaptee
{
public:
void test(char * ptr)
{
cout<<ptr<<endl;
}
};
class target
{
public:
virtual void lwq(string str)
{
}
};
class adapter:public adaptee,publictarget
{
public:
void lwq(string str)
{
this->test(const_cast<char *>(str.c_str()));
}
};
void main()
{
target *tar=new adapter;
tar->lwq("lwq");
delete tar;
}