上篇我们讲到了工厂方法模式,这篇我们来讲一下抽象工厂模式,而抽象工厂模式的核心就是要理解产品族的概念,这里可以把产品族理解为同一类型的可以由同一工厂生产的产品。好了,我们还是来看看怎么代码实现吧。
抽象工厂模式:
以下代码在VS2012上编译通过
#include <iostream>
using namespace std;
class Product
{
public:
virtual void showProduct()
{cout<<"showProduct"<<endl;}
};
class ProductA:public Product
{
public:
void showProduct()
{
cout<<"showProductA"<<endl;
}
};
class ProductB:public Product
{
public:
void showProduct(){
cout<<"showProductB"<<endl;
}
};
class Factory
{
public:
virtual Product* createProductA()
{return NULL;}
virtual Product* createProductB()
{return NULL;}
};
class FactoryX: public Factory
{
public:
Product* createProductA()
{ return new ProductA(); }
Product* createProductB()
{ return new ProductB(); }
};
int _tmain(int argc, _TCHAR* argv[])
{
FactoryX* fx=new FactoryX();//创建能生产多种同类产品的工厂
Product* pa=fx->createProductA();//创建产品A
pa->showProduct();//显示产品A
Product* pb=fx->createProductB();//创建产品B
pb->showProduct();//显示产品B
return 0;
}
执行结果:
showProductA
showProductB