1.什么是设计模式
-
软件设计模式(Design pattern),又称设计模式,是一套被反复使用、多数人知晓的、经过分类编目的、代码设计经验的总结。使用设计模式是为了可重用代码、让代码更容易被他人理解、保证代码可靠性、程序的重用性。
-
23种设计模式的介绍
-
设计模式通常描述了一组相互紧密作用的类与对象。
2.什么是类与对象
- 类:类是一种用户定义的引用数据类型,也称类类型;每个类包含数据说明和一组操作数据或传递消息的函数
- 对象:类的一种具象,实例化
- C语言仿造类与对象的例子
#include <stdio.h>struct Animal //用c语言仿照的动物类
{char name[12];int age; //成员属性char sex;void (*pRun)(); //成员方法void (*pEat)();
};void dogEat()
{printf("狗吃骨头\n");
}void catEat()
{printf("猫吃鱼\n");
}void dogRun()
{printf("狗会追着人跑\n");
}void catRun()
{printf("猫会爬树\n");
}int main()
{struct Animal dog={.pEat=dogEat,.pRun=dogRun,}; //动物类实例化后的对象struct Animal cat={.pEat=catEat,.pRun=catRun,};/* dog.pEat=dogEat;//为具体对象赋予行为方法dog.pRun=dogRun;cat.pEat=catEat;cat.pRun=catRun;*/dog.pEat();//调用具体对象的行为方法dog.pRun();cat.pEat();cat.pRun();return 0;
}
3.什么是工厂模式
- 概念:工厂模式(Factory Pattern)是 最常用的设计模式之一。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
- 特点:在工厂模式中,我们在创建对象时不会对客户端暴露创建逻辑,并且是通过使用一个共同的接口来指向新创建的对象。
用C语言采用工厂模式思想设计的例子
animal.h
#include <stdio.h>struct Animal
{char name[12];int age; char sex;void (*pRun)(); void (*pEat)();struct Animal* next;};struct Animal* putDogInLink(struct Animal* phead);
struct Animal* putCatInLink(struct Animal *phead);
cat.c
#include "animal.h"void catEat()
{printf("猫会吃鱼\n");
}void catRun()
{printf("猫喜欢爬树\n");
}struct Animal cat={//实例化对象猫.name="Tom",.pEat=catEat,.pRun=catRun,};struct Animal* putCatInLink(struct Animal *phead)//将猫对象插入链表的方法
{if(phead == NULL){phead=&cat;return phead;}else{cat.next=phead;phead=&cat;return phead;}}
dog.c
#include "animal.h"void dogEat()
{printf("狗爱吃骨头\n");
}void dogRun()
{printf("狗会追着人跑\n");
}struct Animal dog={//实例化对象狗.name="dahuang",.pEat=dogEat,.pRun=dogRun,}; struct Animal* putDogInLink(struct Animal* phead)//将狗对象拆入链表的方法
{if(phead == NULL){phead=&dog;return phead;}else{dog.next=phead;phead=&dog;return phead;}
}
测试用的例子
mainPro.c
#include "animal.h"
#include <string.h>struct Animal* findUnitByName(char *name,struct Animal *phead)//查找链表
{struct Animal *tmp=phead;if(tmp==NULL){printf("链表为空\n");return NULL;}else{while(tmp !=NULL){if(strcmp(tmp->name,name) == 0){return tmp;}tmp=tmp->next;}return NULL;}}int main()
{char buf[128]={0};struct Animal *phead = NULL;struct Animal *ptmp = NULL;phead = putCatInLink(phead);phead = putDogInLink(phead);while (1){printf("请输入想要查找的动物名字:Tom/dahuang\n");scanf("%s",buf);puts(buf);ptmp=findUnitByName(buf,phead);if(ptmp != NULL){printf("%s\n",ptmp->name);ptmp->pEat();ptmp->pRun();}memset(buf,0,sizeof(buf));}return 0;
}
设计思想图