工厂模式概念
工厂模式是一种常用的设计模式,它主要用于实例化对象。这种模式的主要思想是在不暴露具体的实现细节的情况下,让客户端能够创建具有特定接口的对象。它可以让我们在运行时决定实例化哪个类。
在C语言中,实例化对象意味着创建一个新的特定类型的变量或结构体实例。虽然C语言不支持像C++或Java那样的真正的面向对象编程概念,但它确实允许我们使用一些方法来模拟类似的行为,比如通过结构体和函数来模仿类和方法的概念。
通常情况下,我们会定义一个抽象的基类或接口,然后由各个子类继承并实现。接下来,我们可以定义一个工厂类,用于创建这些子类的具体实例。客户端只需要与工厂类交互,而不需要了解具体的产品是如何创建的。
工厂模式的基本步骤
1. 定义一个接口或者抽象类,表示产品的类型。
2. 创建一些实现了这个接口的具体类,每个具体类代表一种具体的产品。
3. 创建一个工厂类,用于创建不同种类的产品实例。
4. 客户端代码只需与工厂类交互即可得到产品实例,无需关心产品的具体实现。
工厂模式主要优点
- 将对象的创建与对象的使用分离开来,使得用户不必关心对象的创建细节。
- 提供了一种创建对象的最佳方式,可以方便地替换产品,且不影响客户端的使用。
- 简化了客户端的使用方式,只需要指定所需的产品类型,就可以得到相应的产品实例。
工厂模式实现示意
通过链表将编写的各个函数链接在一起,在main函数里面调用他们(基本思想:链表遍历)
工厂模式实现效果
源代码
Animal.h
#include <stdio.h>
struct Animal{
char name[12];//成员属性
int age;
char sex;
void (*peat)();//成员方法
void (*pbeat)();
struct Animal *next;
};
struct Animal* putCatLink(struct Animal * phead);
struct Animal* putDogLink(struct Animal * phead);
struct Animal* putPersonLink(struct Animal * phead);
Cat.c
#include "Animal.h"
void catEat(){
printf("catEat\n");
}
struct Animal cat={
.name="TOM",
.peat=catEat
};
struct Animal* putCatLink(struct Animal *phead){
if(phead==NULL){
return &cat;
}else{
cat.next=phead;
phead=&cat;
return phead;
}
}
Dog.c
#include "Animal.h"
void dogEat(){
printf("dogEat\n");
}
struct Animal dog={
.name="ah",
.peat=dogEat
};
struct Animal* putDogLink(struct Animal *phead){
if(phead==NULL){
return &dog;
}else{
dog.next=phead;
phead=&dog;
return phead;
}
}
Person.c
#include "Animal.h"
void personEat(){
printf("personEat\n");
}
struct Animal person={
.name="sf",
.peat=personEat
};
struct Animal* putPersonLink(struct Animal *phead){
if(phead==NULL){
return &person;
}else{
person.next=phead;
phead=&person;
return phead;
}
}
mainPro.c
#include <stdio.h>
#include <string.h>
#include "Animal.h"
struct Animal* FindUtilByName(char *str,struct Animal *phead){
if(phead==NULL){
return NULL;
}else{
while(1){
if(strcmp(phead->name,str)==0){
return phead;
}
phead=phead->next;
}
}
return NULL;
}
int main(){
char buf[128]={'\0'};
struct Animal *ptmp;
struct Animal *phead=NULL;
phead=putCatLink(phead);
phead=putDogLink(phead);
phead=putPersonLink(phead);
while(1){
printf("Please Enter:TOM,ah,sf\n");
scanf("%s",buf);
ptmp=FindUtilByName(buf,phead);
if(ptmp!=NULL){
ptmp->peat();
}
memset(buf,'\0',sizeof(buf));
}
}