简单工厂模式

简单工厂模式_第1张图片

简单工厂模式中,用户想要A对象的话,只需要和工厂打交道,调用工厂接口CreateObject(),传入参数,让工厂知道应该创建什么类型对象,工厂帮你完成创建A对象的过程(new A ),这样做的优点是:

1、客户端和具体实现类解耦,让工厂去完成和具体类耦合;

2、对于某些对象创建过程比较复杂情况,我们不用考虑这些了;(例如A创建过程需要:读文件-解析文本-创建A对象-set属性值)。

但这样也存在一些缺点:

1、假如再来个C对象,需要给工厂增加新的功能,通过修改源代码实现,不符合开闭原则;

2、这个工厂类Factory职责过重,里面包含着大量的if..else if... else语句,代码冗长,影响系统性能。这个类发生问题,会影响很多实用这个工厂的模块。


简单工厂模式案例

简单工厂模式_第2张图片


#include
#include
using namespace std;


//简单工厂模式


//抽象水果类
class AbstractFruit
{
public:
virtual void ShowName() = 0;
};
//苹果类
class Apple : public AbstractFruit
{
public:
virtual void ShowName() 
{
cout<<"我是苹果!"<}
};
//香蕉类
class Banana : public AbstractFruit
{
public:
virtual void ShowName() 
{
cout<<"我是香蕉!"<}
};
//鸭梨类
class Pear : public AbstractFruit
{
public:
virtual void ShowName() 
{
cout<<"我是鸭梨!"<}
};
//水果工厂类
class FruitFactory
{
public:
static AbstractFruit* CreateFruit(string flag){
if(flag == "apple"){
return new Apple;
}
else if(flag == "banana"){
return new Banana;
}
else if(flag == "pear"){
return new Pear;
}
else{
return NULL;
}
}
};
void test01()
{
//创建过程不需要你关心,直接拿来用即可。
FruitFactory* factory = new FruitFactory;
AbstractFruit* fruit = factory->CreateFruit("apple");//想吃苹果,就让工厂去生产苹果
fruit->ShowName();
delete fruit;


fruit = factory->CreateFruit("banana");//想吃香蕉,就让工厂去生产香蕉
fruit->ShowName();
delete fruit;


delete factory;
}
int main(void)
{
test01();
system("pause");
return 0;
}

你可能感兴趣的:(设计模式)