1. 什么是设计模式?
设计模式是代码设计经验的总结,稳定,拓展性强,一系列的编程思想,
设计模式有23种,通常描述了一组相互紧密作用的类与对象,
作用是使代码更容易被他人理解、保证代码的可靠性、程序的重用性
2. 什么是工厂模式?
工厂模式是最常用的设计模式之一。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
在工厂模式中,我们在创建对象时不会对客户端暴露创建逻辑,并且是通过使用一个共同的接口来指向新创建的对象。
工厂由链表构成,每一个节点就是一个功能函数,主函数通过遍历链表调用相关功能函数
优点:
- 一个调用者想创建一个对象,只要知道其名称就可以了
- 扩展性高,如果想增加一个产品,只要扩展一个工厂类就可以
- 屏蔽产品的具体实现,调用者只关心产品的接口
缺点:每次增加一个产品时,都需要增加一个具体类和对象实现工厂,使得系统中类的个数成倍增加,在一定程度上增加了系统的复杂度,同时也增加了系统具体类的依赖。这并不是什么好事。
注意事项:作为一种创建类模式,在任何需要生成复杂对象的地方,都可以使用工厂方法模式。有一点需要注意的地方就是复杂对象适合使用工厂模式,而简单对象,特别是只需要通过 new 就可以完成创建的对象,无需使用工厂模式。如果使用工厂模式,就需要引入一个工厂类,会增加系统的复杂度。
3. demo
头文件Animal.h
struct Animal {
char name[128];
int age;
char sex[12];
void (*peat)();
struct Animal *next;
};
struct Animal* addCatNode(struct Animal* head);
struct Animal* addDogNode(struct Animal* head);
struct Animal* addPeopleNode(struct Animal* head);
主函数main.c
#include "Animal.h"
#include <stdio.h>
#include <string.h>
void* search(char cmd[128], struct Animal *head)
{
while(head != NULL) {
if (!strcmp(head->name, cmd)) {
return head;
} else {
head = head->next;
}
}
return NULL;
}
int main()
{
char cmd[128];
struct Animal *tmp = NULL;
struct Animal *head = NULL;
head = addCatNode(head);
head = addDogNode(head);
head = addPeopleNode(head);
while(1) {
printf("input tom/xiaohuang/xiaoming\n");
memset(cmd, '\0', sizeof(cmd));
scanf("%s", cmd);
tmp = search(cmd, head);
if (NULL == tmp) {
printf("NULL\n");
} else {
tmp->peat();
}
}
return 0;
}
功能程序cat.c
#include "Animal.h"
#include <stdio.h>
void catEat()
{
printf("tom eat: fish\n");
}
struct Animal cat = {
.name = "tom",
.peat = catEat,
};
struct Animal* addCatNode(struct Animal* head)
{
if (NULL == head) {
head = &cat;
return head;
} else {
cat.next = head;
head = &cat;
return head;
}
}
功能程序dog.c
#include "Animal.h"
#include <stdio.h>
void dogEat()
{
printf("xiaohuang eat: shit\n");
}
struct Animal dog = {
.name = "xiaohuang",
.peat = dogEat,
};
struct Animal* addDogNode(struct Animal* head)
{
if (NULL == head) {
head = &dog;
return head;
} else {
dog.next = head;
head = &dog;
return head;
}
}
功能程序people.c
#include "Animal.h"
#include <stdio.h>
void peopleEat()
{
printf("xiaoming eat: rice\n");
}
struct Animal people = {
.name = "xiaoming",
.peat = peopleEat,
};
struct Animal* addPeopleNode(struct Animal* head)
{
if (NULL == head) {
head = &people;
return head;
} else {
people.next = head;
head = &people;
return head;
}
}
运行结果:
input tom/xiaohuang/xiaoming
tom
tom eat: fish
input tom/xiaohuang/xiaoming
xiaohuang
xiaohuang eat: shit
input tom/xiaohuang/xiaoming
xiaoming
xiaoming eat: rice
input tom/xiaohuang/xiaoming