Re何为设计?

描述

  • 即按照哪一种思路或者标准来实现功能
  • 功能相同,可以有不同设计方案来实现
  • 伴随着需求增加,设计的作用才能体现出来

    准则

  1. 小即是美
  2. 让每个程序只做好一件事
  3. 快速建立原型
  4. 舍弃高效率而取可移植性
  5. 采取文本来存储数据
  6. 充分利用软件的杠杆效应(软件复用)
  7. 使用shell脚本来提高杠杆效应和可移植性
  8. 避免强制性的用户界面
  9. 让每个程序都称为过滤器

    小准则

  10. 允许用户定制环境

  11. 尽量使操作系统内核小而轻量化
  12. 使用小写字母并尽量简短
  13. 沉默是金(返回空而不是 ‘no file’)
  14. 各部分之和大于整体
  15. 寻求90%的解决方案

五大设计原则

S - 单一职责原则

  • 一个程序只做好一件事
  • 如果功能过于复杂就拆分开,每个部分保持独立

O - 开放封闭原则

  • 对扩展开放, 对修改封闭
  • 增加需求时, 扩展新代码,而非修改已有代码
  • 这是软件设计的终极目标

L - 李氏置换原则

  • 子类能覆盖父类
  • 父类能出现的地方子类就能出现

I - 接口独立原则

  • 保持接口的单一独立,避免出现“胖接口” (也有例外:外观模式)
  • 类似于单一职责原则 ,这里更关注接口

D - 依赖倒置原则

  • 面向接口编程,依赖于抽象而不依赖于具体
  • 使用方只关注接口而不关注具体类的实现

S0体现较多,详细介绍
LID体现较少,但是要了解其用意
例子: 用Promise来说明SO

  1. result.then(function (img) {
  2. console.log('img width', img, width)
  3. return img
  4. }).then(function (img) {
  5. console.log('img.height', img.height)
  6. }).catch(function x) {
  7. //统一捕获异常
  8. console. log(ex)
  9. })

单一职责原则: 每个then中的逻辑只做好一件事
开放封闭原则: 如果新增需求,扩展then
对扩展开放,对修改封闭

23种设计模式分类
创建型
工厂模式(工厂方法模式,抽象工厂模式,建造者模式)
单例模式
原型模式
结构型
适配器模式
桥接模式
装饰器模式
组合模式
代理模式
享元模式
外观模式
行为型
策略模式
迭代器模式
模板方法模式
职责连模式
观察者模式
命令模式
备忘录模式
中介者模式
状态模式
解释器模式
访问者模式

工厂模式

  • 工厂的目的在于判别接口最终用那类来实例化
  • 产生实例的过程不用new 关键字
  • 最终达到的效果是,多态,和类与类之间的松耦合

场景:

  • jQuery $(‘div’)
  • React.createElement
  • vue异步组件

$(‘div’)和 new $(‘div’)有何区别(不使用工厂模式的缺点)?

  • 后者书写麻烦,JQuery的链式调用将成噩梦
  • 一旦jQuery名字变化,将是灾难的
  1. // 1 jQuery工厂模式
  2. class jQuery {
  3. constructor(selector) {
  4. let slice = Array.prototype.slice
  5. let dom = slice.call(document.querySelectorAll(selector))
  6. let len = dom ? dom.length : 0
  7. for (let i = 0; i < len; i++){
  8. this[i] = dom[i]
  9. }
  10. this.length = len
  11. this.selector = selector || ''
  12. }
  13. append (node) {}
  14. addClass(name) {}
  15. // ......
  16. }
  17. window.$ = function (selector) {
  18. return new jQuery(selector)
  19. }
  20. // 2 React工厂模式
  21. class Vnode (tag, attrs, children) {
  22. // ...省略内部代码...
  23. }
  24. React.createElement = function(tag, attrs, children) {
  25. return new Vnode(tag, attrs, children)
  26. }
  27. // 3 vue异步组件
  28. Vue.component('async-example', function (resolve, reject) {
  29. setTimeout(() => {
  30. resolve({
  31. template: '<div>I am async!</div>'
  32. })
  33. }, 1000)
  34. })
  35. // 构造函数和创建者分离 符合开放封闭原则

单例模式

  • 系统中被唯一使用
  • 一个类只有一个实例

场景

  • 购物车(登录框)
  • vuex和redux中的store

符合单一职责原则

  1. class SingleObject {
  2. login() {
  3. console.log('login...')
  4. }
  5. }
  6. SingleObject.getInstance = (function () {
  7. let instance
  8. return function () {
  9. if (!instance) {
  10. instance = new SingleObject();
  11. }
  12. return instance
  13. }
  14. })()
  15. // 测试
  16. const obj1 = SingleObject.getInstance()
  17. obj1.login()
  18. const obj2 = SingleObject.getInstance()
  19. obj2.login()
  20. console.log(obj1 === obj2)
  21. // let obj3 = new SingleObject() // 严格的说单例模式不能new, js只能这样模拟

适配器模式

旧接口格式和使用者不兼容,中间加一个适配器做转换接口
将旧接口和使用者分离 符合开放封闭原则
image.png

  1. class Adaptee {
  2. specificRequest() {
  3. return '德国标准的插头'
  4. }
  5. }
  6. class Target {
  7. constructor () {
  8. this.adaptee = new Adaptee()
  9. }
  10. request () {
  11. let info = this.adaptee.specificRequest()
  12. return `${info} -> 转换器 -> 中国标准的插头`
  13. }
  14. }
  15. // 测试
  16. let target = new Target()
  17. target.request()

场景

  • 封装旧接口

image.png
image.png

  • vue computed方法

image.png

装饰器模式

为对象添加新功能
不改变原有的结构和功能
将现有对象和装饰器进行分离,两者独立存在,符合开放封闭原则
image.png
场景

  • es7装饰器
  • core-decrators
  • mixin ```javascript @testable class MyTestableClass { // … }

function testable(target) { target.isTestable = true; }

alert(MyTestableClass.isTestable)

// 装饰器的原理 @decorator class A {} // 等同于 class A {} A = decorator(A) || A;

// 装饰器用于方法,添加日志 // 这个示例跑起来需要babel 后面提供附件 // npx babel d.js —out-file d.c.js // node d.c.js function log(target, name, descriptor) { let oldValue = descriptor.value descriptor.value = function () { console.log(calling ${name} width, arguments) return oldValue.apply(this, arguments) } return descriptor }

class MyMath { @log add(a, b) { return a + b } } const m = new MyMath() console.log(m.add(2, 4))

  1. log装饰器案例 [decrator-fn.zip](https://www.yuque.com/attachments/yuque/0/2020/zip/190178/1601120276829-9162089c-1702-400c-a59a-428c7145ce92.zip?_lake_card=%7B%22src%22%3A%22https%3A%2F%2Fwww.yuque.com%2Fattachments%2Fyuque%2F0%2F2020%2Fzip%2F190178%2F1601120276829-9162089c-1702-400c-a59a-428c7145ce92.zip%22%2C%22name%22%3A%22decrator-fn.zip%22%2C%22size%22%3A1566%2C%22type%22%3A%22application%2Fzip%22%2C%22ext%22%3A%22zip%22%2C%22status%22%3A%22done%22%2C%22uid%22%3A%221601120276526-0%22%2C%22progress%22%3A%7B%22percent%22%3A99%7D%2C%22percent%22%3A0%2C%22id%22%3A%22PGMw6%22%2C%22card%22%3A%22file%22%7D)
  2. <a name="EC1a4"></a>
  3. # 代理模式
  4. 使用者无权访问目标对象<br />中间加代理,通过代理做授权和控制<br />代理类和目标类分离,隔离开目标类和使用者--符合开放封闭原则<br />![image.png](https://cdn.nlark.com/yuque/0/2020/png/190178/1601259132360-5351430e-56a4-49a6-88d0-97eeed433e4a.png#crop=0&crop=0&crop=1&crop=1&height=152&id=hEcnw&margin=%5Bobject%20Object%5D&name=image.png&originHeight=304&originWidth=994&originalType=binary&ratio=1&rotation=0&showTitle=false&size=135348&status=done&style=none&title=&width=497)<br />示例
  5. - 科学上网,访问github.com
  6. - 明星经纪人 [proxy.js](https://www.yuque.com/attachments/yuque/0/2020/js/190178/1601264639040-0a4a217b-f030-4add-ac38-5cf16f91d008.js?_lake_card=%7B%22src%22%3A%22https%3A%2F%2Fwww.yuque.com%2Fattachments%2Fyuque%2F0%2F2020%2Fjs%2F190178%2F1601264639040-0a4a217b-f030-4add-ac38-5cf16f91d008.js%22%2C%22name%22%3A%22proxy.js%22%2C%22size%22%3A768%2C%22type%22%3A%22text%2Fjavascript%22%2C%22ext%22%3A%22js%22%2C%22status%22%3A%22done%22%2C%22uid%22%3A%221601264638925-0%22%2C%22progress%22%3A%7B%22percent%22%3A99%7D%2C%22percent%22%3A0%2C%22id%22%3A%22vKKJt%22%2C%22card%22%3A%22file%22%7D)
  7. 场景
  8. - **网页事件代理**
  9. - **jQuery $.proxy**
  10. - **ES6 Proxy**
  11. ```javascript
  12. class ReadImg {
  13. constructor(name) {
  14. this.fileName = name
  15. }
  16. display () {
  17. console.log('display...' + this.fileName)
  18. }
  19. loadFromDisk() {
  20. console.log('loading...', this.fileName)
  21. }
  22. }
  23. class ProxyImg {
  24. constructor(filename) {
  25. this.realImg = new ReadImg(filename)
  26. }
  27. display () {
  28. this.realImg.display()
  29. }
  30. }
  31. // test
  32. let proxyImg = new ProxyImg('1.png')
  33. proxyImg.display()

image.png
image.png

代理模式 VS 适配器模式
适配器模式: 提供一个不同的接口(如不同版本的插头)
代理模式: 提供一个模一样的接口

代理模式 VS 装饰器模式
装饰器模式: 扩展功能,原有功能不变且可直接使用
代理模式: 显示原有功能,但是经过限制或者阉割之后的

观察者模式

  • 发布&订阅
  • 一对多

主题和观察者分离,不是主动触发而是被动监听,两者解耦

  1. class Observer {
  2. constructor(name) {
  3. this.name = name
  4. }
  5. update (msg) {
  6. console.log(`${this.name} get msg: ${msg}`);
  7. }
  8. }
  9. class Subject {
  10. constructor(name) {
  11. this.name = name
  12. this.observers = []
  13. }
  14. addObserver (observer) {
  15. this.observers.push(observer)
  16. }
  17. removeObserver (observer) {
  18. this.observers = this.observers.filter(item => item != observer)
  19. }
  20. notifyAll() {
  21. this.observers.forEach(observer => {
  22. observer.update(`${this.name} ~ msg by nofifyAll`)
  23. })
  24. }
  25. }
  26. var ob1 = new Observer('Alice'),
  27. ob2 = new Observer('Bob');
  28. var sub = new Subject('winter is coming');
  29. sub.addObserver(ob1);
  30. sub.addObserver(ob2);
  31. sub.notifyAll();
  32. sub.removeObserver(ob1)
  33. sub.notifyAll();

场景
网页事件绑定

  1. // <button>btn</button>
  2. $('#btn1').click(function () {
  3. console.log(1)
  4. })
  5. $('#btn1').click(function () {
  6. console.log(2)
  7. })

Promise
jQuery callbacks

  1. var callbacks = $.Callbacks()
  2. callbacks.add(function (info){
  3. console.log('fn1', info)
  4. })
  5. callbacks.add(function (info) {
  6. console.log('fn2', info)
  7. })
  8. callbacks.fire('google')
  9. callbacks.fire('fire')

nodejs自定义事件

  1. const EventEmitter = require('events').EventEmitter
  2. const emitter1 = new EventEmitter()
  3. emitter1.on('some', () => {
  4. // 监听 some事件
  5. console.log('some event is occured 1')
  6. })
  7. emitter1.on('some', (val) => {
  8. // 监听 some事件
  9. console.log('some event is occured 2', val)
  10. })
  11. // 触发some事件
  12. emitter1.emit('some', 'hello')

nodejs中 处理http请求;多进程通信
vue和React组件生命周期触发
vue watch

发布订阅模式

和观察者模式很类似,发布订阅模式其实属于广义上的观察者模式。在观察者模式中,观察者需要直接订阅目标事件。在目标发出内容改变的事件后,直接接收事件并作出响应。
而在发布订阅模式中,发布者和订阅者之间多了一个调度中心。调度中心一方面从发布者接收事件,另一方面向订阅者发布事件,订阅者需要在调度中心中订阅事件。通过调度中心实现了发布者和订阅者关系的解耦。
image.png
image.png

  1. class Publisher {
  2. constructor(name) {
  3. this.name = name
  4. this.observers = []
  5. }
  6. addObserver (observer) {
  7. this.observers.push(observer)
  8. return this
  9. }
  10. removeObserver (observer) {
  11. this.observers = this.observers.filter(item => item !==observer)
  12. return this
  13. }
  14. notifyAllObservers(msg) {
  15. this.observers.forEach(observer => {
  16. observer.update(msg)
  17. })
  18. }
  19. }
  20. class EventChannel {
  21. constructor(name) {
  22. this.name = name
  23. this.events = {}
  24. }
  25. addPublisher(eventName, event) {
  26. this.events[eventName] = event
  27. return this
  28. }
  29. addEventListener(eventName, person) {
  30. this.events[eventName].addObserver(person)
  31. return this
  32. }
  33. removeEventListener(eventName, person) {
  34. this.events[eventName].removeObserver(person)
  35. return this
  36. }
  37. notify(eventName, msg) {
  38. this.events[eventName].notifyAllObservers(msg)
  39. }
  40. }
  41. class Subscriber {
  42. constructor(name) {
  43. this.name = name
  44. }
  45. update (msg) {
  46. console.log(`通知 ${this.name} ${msg}`)
  47. }
  48. }
  49. const p1 = new Publisher('e1', '报刊1')
  50. const p2 = new Publisher('e2', '报刊2')
  51. const ec = new EventChannel('大厅中心')
  52. const s1 = new Subscriber('张三')
  53. const s2 = new Subscriber('李四')
  54. ec.addPublisher('e1', p1)
  55. ec.addPublisher('e2', p2)
  56. ec.addEventListener('e1', s1)
  57. ec.addEventListener('e1', s2)
  58. ec.addEventListener('e2', s2)
  59. ec.notify('e1', '报刊1更新内容了')
  60. ec.notify('e2', '报刊2更新内容了')
  61. ec.removeEventListener('e1', s2)
  62. ec.notify('e1', '报刊1又有内容更新了')
  63. // 以上代码是个人手写的发布订阅模式,如有错误,感谢各位大佬批评指证

参考资料 观察者模式-发布订阅模式-及其实现

迭代器模式

  • 顺序访问一个集合
  • 使用者无需知道集合的内部结构(封装)

迭代器对象和目标对象进行分离,迭代器将使用者和目标对象隔离开,符合开闭原则

  1. class Iterator {
  2. constructor(conatiner) {
  3. this.list = conatiner.list
  4. this.index = 0
  5. }
  6. next() {
  7. if (this.hasNext()) {
  8. return this.list[this.index++]
  9. }
  10. return null
  11. }
  12. hasNext() {
  13. if (this.index >= this.list.length) {
  14. return false
  15. }
  16. return true
  17. }
  18. }
  19. class Container {
  20. constructor(list) {
  21. this.list = list
  22. }
  23. getIterator() {
  24. return new Iterator(this)
  25. }
  26. }
  27. // 测试代码
  28. // 遍历数组
  29. const container = new Container([1, 2, 3, 4, 5])
  30. const iterator = container.getIterator()
  31. while(iterator.hasNext()) {
  32. console.log(iterator.next())
  33. }
  34. // 遍历类数组
  35. const container2 = new Container({0: 1, 1: 'str', length: 2})
  36. const iterator2 = container2.getIterator()
  37. while(iterator2.hasNext()) {
  38. console.log(iterator2.next())
  39. }

场景:

  • jQuery each
  • ES6 Iterator (Array Map Set String TypedArray arguements NodeList)

状态模式

  • 一个对象有状态变化
  • 每次状态变化都会触发一个逻辑
  • 不能总是使用if.. else来控制

将状态对象和主题对象分离,状态的变化逻辑单独处理

示例
交通信号灯交不同颜色的变化

  1. class State {
  2. constructor(color) {
  3. this.color = color
  4. }
  5. handle(context) {
  6. console.log(`turn to ${this.color} light`)
  7. context.setState(this)
  8. }
  9. }
  10. class Context {
  11. constructor() {
  12. this.state = null
  13. }
  14. setState(state) {
  15. this.state = state
  16. }
  17. getState() {
  18. return this.state
  19. }
  20. }
  21. // 测试代码
  22. let context = new Context()
  23. let greed = new State('greed')
  24. let yellow = new State('yellow')
  25. let red = new State('red')
  26. // 绿灯亮了
  27. greed.handle(context)
  28. console.log(context.getState())
  29. // 黄灯亮了
  30. yellow.handle(context)
  31. console.log(context.getState())
  32. // 红灯亮了
  33. red.handle(context)
  34. console.log(context.getState())

场景

用水的状态举例子 设计模式 - 图10```javascript // npm install —save-dev javascript-state-machine const StateMachine = require(‘javascript-state-machine’);

const fsm = new StateMachine({ init: ‘solid’, transitions: [ { name: ‘melt’, from: ‘solid’, to: ‘liquid’ }, { name: ‘freeze’, from: ‘liquid’, to: ‘solid’ }, { name: ‘vaporize’, from: ‘liquid’, to: ‘gas’ }, { name: ‘condense’, from: ‘gas’, to: ‘liquid’ } ], methods: { onMelt: function() { console.log(‘I melted 溶化’) }, onFreeze: function() { console.log(‘I froze 固化’) }, onVaporize: function() { console.log(‘I vaporized 气化’) }, onCondense: function() { console.log(‘I condensed 液化’) } } });

console.log(fsm.state) fsm.melt() console.log(fsm.state)

  1. - 写一个简单的Promise [03-state-machine-2.html](https://www.yuque.com/attachments/yuque/0/2020/html/190178/1601287252117-8c8d4f22-e6b4-4a52-8aaa-80f6d4d81d48.html?_lake_card=%7B%22src%22%3A%22https%3A%2F%2Fwww.yuque.com%2Fattachments%2Fyuque%2F0%2F2020%2Fhtml%2F190178%2F1601287252117-8c8d4f22-e6b4-4a52-8aaa-80f6d4d81d48.html%22%2C%22name%22%3A%2203-state-machine-2.html%22%2C%22size%22%3A2629%2C%22type%22%3A%22text%2Fhtml%22%2C%22ext%22%3A%22html%22%2C%22status%22%3A%22done%22%2C%22uid%22%3A%221601287251798-0%22%2C%22progress%22%3A%7B%22percent%22%3A99%7D%2C%22percent%22%3A0%2C%22id%22%3A%22U0iUj%22%2C%22card%22%3A%22file%22%7D)
  2. <a name="FTfoA"></a>
  3. # 原型模式
  4. clone自己生成一个新对象<br />java默认有clone接口,不用自己实现
  5. ```javascript
  6. // 原型 对象
  7. const prototype = {
  8. getName () {
  9. return this.first + ' ' + this.last
  10. },
  11. say () {
  12. console.log('hello')
  13. }
  14. }
  15. // 基于原型创建 x
  16. let x = Object.create(prototype)
  17. x.first = 'A'
  18. x.last = 'B'
  19. console.log(x.getName())
  20. x.say()

桥接模式

把抽象化与实现解耦,使二者可以独立变化
image.png

  1. class Color {
  2. constructor(name) {
  3. this.name = name
  4. }
  5. }
  6. class Shape {
  7. constructor(name, color) {
  8. this.name = name
  9. this.color = color
  10. }
  11. draw() {
  12. console.log(`${this.color.name} ${this.name}`)
  13. }
  14. }
  15. let red = new Color('red')
  16. let yellow = new Color('yellow')
  17. let circle = new Shape('circle', red)
  18. circle.draw()
  19. let triangle = new Shape('triangle', yellow)
  20. triangle.draw()

组合模式

生成树形结构,表示 “整理-部分” 关系,让整体和部分都具有一 致的操作方式

  • 整体和单个节点的操作是一致的
  • 整体和单个节点的数据结构也保持一致

虚拟DOM中的Vnode是这种方式,但数据类型单一
image.png

  1. /*
  2. *有这样一个需求
  3. *有一个学校有2个班(一班,二班)
  4. *每个班级分2个小组(一班一组,一班二组,二班一组,二班二组)
  5. *学校计算机教室有限,每一个小组分着来上课.
  6. *考试的时候大家一起考
  7. *请用程序来模拟这个需求
  8. */
  9. interface CompositeInterface {
  10. getChildByName(name: string): any[];
  11. add(child: object): CompositeInterface
  12. }
  13. interface StudentInterface {
  14. goToClass(name: string | undefined): void;
  15. finishClass(name: string): void;
  16. }
  17. class Composite implements CompositeInterface, StudentInterface {
  18. private childs
  19. private name
  20. private type
  21. constructor(name) {
  22. this.name = name;
  23. this.childs = []
  24. this.type = "com";
  25. }
  26. getChildByName(name: string) {
  27. //涉及到递归
  28. let toChilds: any[] = [];
  29. if(!name) {
  30. this.childs.forEach(child => {
  31. if(child.type === "com"){
  32. toChilds = toChilds.concat(child.getChildByName());
  33. }else{
  34. toChilds.push(child);
  35. }
  36. })
  37. } else {
  38. for (let i = 0; i < this.childs.length; i++) {
  39. if(this.childs[i].name == name) {
  40. if(this.childs[i].type === "com") {
  41. toChilds = toChilds.concat(this.childs[i].getChildByName());
  42. break;
  43. }else{
  44. toChilds.push(this.childs[i]);
  45. break;
  46. }
  47. } else {
  48. if(this.childs[i].type === "com") {
  49. toChilds = toChilds.concat(this.childs[i].getChildByName(name));
  50. }
  51. }
  52. }
  53. }
  54. return toChilds;
  55. }
  56. add (child: object) {
  57. this.childs.push(child);
  58. return this
  59. }
  60. goToClass (name: string = '') {
  61. const toChilds = this.getChildByName(name);
  62. toChilds.forEach(child => child.goToClass())
  63. }
  64. finishClass (name: string){
  65. const toChilds = this.getChildByName(name);
  66. toChilds.forEach(child => child.finishClass())
  67. }
  68. }
  69. class Student implements StudentInterface{
  70. private name: string
  71. private type: string
  72. constructor(name) {
  73. this.name = name;
  74. this.type = 'stu';//默认是叶子
  75. }
  76. // 得到相关的所有孩子节点
  77. getChildByName(name){
  78. if(this.name == name){
  79. return this;
  80. }else{
  81. return null;
  82. }
  83. }
  84. // 增加子节点
  85. add(child){
  86. throw new Error("add 不成被初始化(在叶子了中)");
  87. }
  88. // 去上课
  89. goToClass(name = ''){
  90. console.log(this.name + " 去上课");
  91. }
  92. // 下课
  93. finishClass(name){
  94. console.log(this.name + " 下课");
  95. }
  96. }
  97. //测试
  98. const a = new Student("a");
  99. const b = new Student("b");
  100. const c = new Student("c");
  101. const d = new Student("d");
  102. const e = new Student("e");
  103. const f = new Student("f");
  104. const g = new Student("g");
  105. const h = new Student("h");
  106. const i = new Student("i");
  107. const one = new Composite("一班");
  108. const oneOne = new Composite("一班一组");
  109. oneOne.add(a).add(b);
  110. const oneTwo = new Composite("一班二组");
  111. oneTwo.add(c).add(d);
  112. one.add(oneOne).add(oneTwo);
  113. const two = new Composite("二班");
  114. const twoOne = new Composite("二班一组");
  115. twoOne.add(e).add(f);
  116. const twoTwo = new Composite("二班二组");
  117. twoTwo.add(g).add(h).add(i);
  118. two.add(twoOne).add(twoTwo);
  119. const school = new Composite("计算机学校");
  120. school.add(one).add(two);
  121. //客户端调用API
  122. school.goToClass();
  123. console.log("-------------------------");
  124. school.goToClass("一班");
  125. console.log("-------------------------");
  126. school.goToClass("二班一组");
  127. console.log("-------------------------");
  128. school.goToClass("a");

享元模式

享元模式是一个为了提高性能(空间复杂度)的设计模式
它使用于解决程序会生产大量的相类似的对象而耗用大量的内存的问题

  1. <!-- 无限下拉列表,将事件代理到高层节点上 -->
  2. <!-- 如果都绑定到`<a>`标签,对内存开销太大 -->
  3. <div id="div1">
  4. <a href="#">a1</a>
  5. <a href="#">a2</a>
  6. <a href="#">a3</a>
  7. <a href="#">a4</a>
  8. <!-- 无限下拉列表 -->
  9. </div>
  10. <script>
  11. var div1 = document.getElementById('div1')
  12. div1.addEventListener('click', function (e) {
  13. var target = e.target
  14. if(e.nodeName === 'A') {
  15. alert(target.innerHTML)
  16. }
  17. })
  18. </script>

富文本A标签拦截示例 test.html

策略模式

不同策略分开处理
避免出现大量if..else或者switch..case

  1. class OrdinaryUser {
  2. buy () {
  3. console.log('普通用户购买')
  4. }
  5. }
  6. class MemberUser {
  7. buy () {
  8. console.log('会员用户购买')
  9. }
  10. }
  11. class VipUser {
  12. buy () {
  13. console.log('VIP 用户购买')
  14. }
  15. }
  16. const u1 = new OrdinaryUser()
  17. u1.buy()
  18. const u2 = new MemberUser()
  19. u2.buy()
  20. const u3 = new VipUser()
  21. u3.buy()

模板方法模式

  1. class Action {
  2. handle () {
  3. this.handle1()
  4. this.handle2()
  5. this.handle3()
  6. }
  7. handle1 () {
  8. console.log('handle1')
  9. }
  10. handle2 () {
  11. console.log('handle2')
  12. }
  13. handle3 () {
  14. console.log('handle3')
  15. }
  16. }

职责链模式

  • 一步操作可能分位多个职责角色来完成
  • 把这些角色都分开,然后用一个链串起来

    1. class Action {
    2. constructor(name) {
    3. this.name = name
    4. this.nextAction = null
    5. }
    6. setNextAction(action){
    7. this.nextAction = action
    8. }
    9. handle() {
    10. console.log(`${this.name} 审批`)
    11. if(this.nextAction !== null) {
    12. this.nextAction.handle()
    13. }
    14. }
    15. }
    16. let a1 = new Action('组长')
    17. let a2 = new Action('经理')
    18. let a3 = new Action('总监')
    19. a1.setNextAction(a2)
    20. a2.setNextAction(a3)
    21. a1.handle()

    场景

  • 职责链模式和业务结合较多, JS中能联想到链式操作

  • jQuery的链式操作Promise.then 的链式操作

命令模式

执行命令时,发布者和执行者分开,中间加入命令对象,作为中转站
image.png

  1. class Receiver {
  2. exec () {
  3. console.log('执行')
  4. }
  5. }
  6. class Command {
  7. constructor(receiver) {
  8. this.receiver = receiver
  9. }
  10. cmd () {
  11. console.log('执行命令')
  12. this.receiver.exec()
  13. }
  14. }
  15. class Invoker {
  16. constructor(command) {
  17. this.command = command
  18. }
  19. invoke () {
  20. console.log('开始')
  21. this.command.cmd()
  22. }
  23. }
  24. // 士兵
  25. let soldier = new Receiver()
  26. // 小号手
  27. let trumpeter = new Command(soldier)
  28. // 将军
  29. let general = new Invoker(trumpeter)
  30. general.invoke()

真的不要乱用这个模式 ,因为它使你简单调用写法变得非常的复杂和有些那一些难理解,但当你的业务出现了 (回退操作)(重做操作)的需求的时候你就要考虑使用这个模式了

这里有个例子用于 编辑器撤销重做功能command.html

备忘录模式

随时记录一个对象的状态变化,随时可以恢复之前的某个状态(如撤销功能)
状态对象和使用者分开 解耦

  1. // 状态备忘
  2. class Momento {
  3. constructor(content) {
  4. this.content = content
  5. }
  6. getContent() {
  7. return this.content
  8. }
  9. }
  10. // 备忘列表
  11. class CareTaker {
  12. constructor() {
  13. this.list = []
  14. }
  15. add (memento) {
  16. this.list.push(memento)
  17. }
  18. get(index) {
  19. return this.list[index]
  20. }
  21. }
  22. // 编辑器
  23. class Editor {
  24. constructor() {
  25. this.content = null
  26. }
  27. setContent(content) {
  28. this.content = content
  29. }
  30. getContent () {
  31. return this.content
  32. }
  33. saveContentToMemento() {
  34. return new Momento(this.content)
  35. }
  36. getContentFromMemento(memento) {
  37. this.content = memento.getContent()
  38. }
  39. }
  40. //
  41. let editor = new Editor()
  42. let careTaker = new CareTaker()
  43. editor.setContent('111')
  44. editor.setContent('222')
  45. careTaker.add(editor.saveContentToMemento()) // 存储
  46. editor.setContent('333')
  47. careTaker.add(editor.saveContentToMemento())// 存储
  48. editor.setContent('444')
  49. console.log(editor.getContent())
  50. editor.getContentFromMemento(careTaker.get(1)) // 撤销
  51. console.log(editor.getContent())
  52. editor.getContentFromMemento(careTaker.get(0))
  53. console.log(editor.getContent())

中介者模式

image.png
image.png

访问者模式

将数据操作和数据结构进行分离

解释器模式

描述语言语法如何定义,如何解析和编译,用于专业场景