常用设计模式

常用设计模式

命令模式

命令模式中的命令(command)指的是一个执行某些特定事情的指令。

类似场景

有时候需要向某些对象发送请求,但是并不知道请求的接收 者是谁,也不知道被请求的操作是什么。
如快餐店点餐,我们不需要知道厨师是谁,我们只需要把订单交给服务员, 然后厨师长产出

优缺点

请求发送者和请求接收者能够消除彼此之间的耦合关系

小例子:

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <meta http-equiv="X-UA-Compatible" content="ie=edge">
  <title>Document</title>
</head>

<body>
  <div id="div" style="height: 100px;width: 100px;background-color: blue"></div>
  <button id="button1">red</button>
  <button id="button2">black</button>
  <button id="button3">yellow</button>
  <button id="undo">undo</button>
  <button id="redo">redo</button>

  <script>
    const button1 = document.getElementById('button1')
    const button2 = document.getElementById('button2')
    const button3 = document.getElementById('button3')
    const undo = document.getElementById('undo')
    const div = document.getElementById('div')


    class Command {
      constructor() {
        this.cache = []
        this.currentIndex = 0
        this.receiver = null
      }
      execute(cmd, name = 'backgroundColor') {
        this.receiver.style[name] = cmd
        this.currentIndex++
        this.cache.push(cmd)
        console.log(this.cache)
        // console.log('execute:', this.cache, this.currentIndex)
      }
      undo(name = 'backgroundColor') {
        if(this.currentIndex <= 0) return
        let oldCmd = this.cache[--this.currentIndex]
        this.receiver.style[name] = oldCmd
        console.log('undo:', this.cache, this.currentIndex)
      }
      redo(name = 'backgroundColor') {
        if (this.currentIndex >= this.cache.length - 1) return
        let preColor = this.cache[this.currentIndex + 1]
        this.currentIndex++
        this.receiver.style[name] = preColor
        console.log('redo:', this.cache, this.currentIndex)
      }
      setReceiver(target, name = 'backgroundColor') {
        this.receiver = target
        this.cache.push(this.receiver.style[name])
        console.log('setReceiver:', this.cache, this.currentIndex)
      }
    }
    const command = new Command()
    command.setReceiver(div)

    button1.onclick = function () {
      command.execute('red')
    }
    button2.onclick = function () {
      command.execute('black')
    }
    button3.onclick = function () {
      command.execute('yellow')
    }
    undo.onclick = function () {
      command.undo()
    }
    redo.onclick = function () {
      command.redo()
    }
  </script>
</body>

</html>

单例模式

只允许存在一个实例的模式

    const Instance = (function(){
        const obj;
        return function(){
            if(obj === undefined) {
                obj = new Date();
            }
            return obj;
        }
    })();
    const i = Instance();

策略模式

定义:定义一系列的算法,把它们一个个封装起来,并且使它们可以相互替换,从而避免很多if语句,曾经学过最简单的策略模式雏形就是使用数组的方式解决传入数字得到对应星期几问题的算法。

example:比如公司的年终奖是根据员工的工资和绩效来考核的,绩效为A的人,年终奖为工资的4倍,绩效为B的人,年终奖为工资的3倍,绩效为C的人,年终奖为工资的2倍


 const obj = {
    "A": function(salary: number) {
        return salary * 4;
    },
    "B" : function(salary: number) {
        return salary * 3;
    },
    "C" : function(salary: number) {
        return salary * 2;
    }
};
const calculate = function(level: string, salary: number) {
    return obj[level](salary);
};

console.log(calculate('A',10000)); // 40000

代理模式

代理模式是为一个对象提供一个代用品或占位符,以便控制对它的访问。

场景: 比如,明星都有经纪人作为代理。如果想请明星来办一场商业演出,只能联系他的经纪人。经纪人会把商业演出的细节和报酬都谈好之后,再把合同交给明星签。

分类

保护代理:

于控制不同权限的对象对目标对象的访问,如上面明星经纪人的例子

虚拟代理:

把一些开销很大的对象,延迟到真正需要它的时候才去创建。如短时间内发起很多个http请求,我们可以用虚拟代理实现一定时间内的请求统一发送

Tip: 函数防抖关于防抖和节流这个写的好

防抖(debounce)

所谓防抖,就是指触发事件后在 n 秒内函数只能执行一次,如果在 n 秒内又触发了事件,则会重新计算函数执行时间。

节流(throttle)

所谓节流,就是指连续触发事件但是在 n 秒中只执行一次函数。节流会稀释函数的执行频率。

优缺点

  1. 可以保护对象
  2. 优化性能,减少开销很大的对象
  3. 缓存结果

惰性请求

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <meta http-equiv="X-UA-Compatible" content="ie=edge">
  <title>Document</title>
</head>

<body>
  <div id="wrapper">
    <button id="1">1</button>
    <button id="2">2</button>
    <button id="3">3</button>
    <button id="4">4</button>
    <button id="5">5</button>
    <button id="6">6</button>
    <button id="7">7</button>
    <button id="8">8</button>
  </div>
</body>
<script type="text/javascript" >
  // 模拟http请求
  const synchronousFile = function (id) {
    console.log('开始同步文件,id 为: ' + id);
  };

  const inputs = document.getElementsByTagName('input')
  const wrapper = document.getElementById('wrapper')

  wrapper.onclick = function (e) {
    if (e.target.localName === 'button') {
      // synchronousFile(e.target.id)
      proxySynchronousFile(e.target.id)
    }
  }

  const proxySynchronousFile = (function () {
    let cacheIds = [],
      timeId = 0
    return function (id) {
      if (cacheIds.indexOf(id) < 0) {
        cacheIds.push(id)
      }
      clearTimeout(timeId)
      timeId = setTimeout(() => {
        synchronousFile(cacheIds.join(','))
        cacheIds = []
      }, 1000)
    }
  })()
</script>
</html>

明星报价场景


// 明星

let star = {
    name: 'cxk',
    age: 25,
    phone: '0000000000'
}

// 经纪人
let agent = new Proxy(star, {
    get: function (target, key) {
        if (key === 'phone') {
            // 返回经纪人自己的手机号
            return '18611112222'
        }
        if (key === 'price') {
            // 明星不报价,经纪人报价
            return 120000
        }
        return target[key]
    },
    set: function (target, key, val) {
        if (key === 'customPrice') {
            if (val < 100000) {
                // 最低 10w
                throw new Error('价格太低')
            } else {
                target[key] = val
                return true
            }
        }
    }
})

// 主办方
console.log(agent.name)
console.log(agent.age)
console.log(agent.phone)
console.log(agent.price)

// 想自己提供报价(砍价,或者高价争抢)
agent.customPrice = 150000
// agent.customPrice = 90000  // 报错:价格太低
console.log('customPrice', agent.customPrice)

发布订阅模式

如果忘记了,就去看vue源码吧,没有写的比它更好的了~

观察者模式

迭代器模式

内部迭代器函数

内部已经定义好了迭代规则,它完全接手整个迭代过程,外部只需要一次初始调用,去原型上找这个Symbol(Symbol.iterator)判断当前变量或者实例是否可以迭代

这里主要指的外部迭代器函数,自定义和封装的

loadsh each 函数


 class Iterator {
    this.list: Array<any>
    this.index: number
    constructor(conatiner: Container) {
        this.list = conatiner.list
        this.index = 0
    }
    next(): any {
        if (this.hasNext()) {
            return this.list[this.index++]
        }
        return null
    }
    hasNext(): boolean {
        if (this.index >= this.list.length) {
            return false
        }
        return true
    }
}

class Container {
    this.list: Array<any>
    constructor(list: Array<any>) {
        this.list = list
    }
    getIterator(): Iterator {
        return new Iterator(this)
    }
}
≠≠≠
// test
let container = new Container([1, 2, 3, 4, 5])
let iterator = container.getIterator()
while(iterator.hasNext()) {
    console.log(iterator.next())
}

优缺点

优点: 内部迭代器在调用的时候非常方便,外界不用关心迭代器内部的实现,跟迭代器的交互也仅 仅是一次初始调用

缺点: 由于内部迭代器的迭代规则已经被提前规定,默认 forEach 函数就无法同时迭代多个数组forEach(...args,()=>{})

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,456评论 5 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,370评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,337评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,583评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,596评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,572评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,936评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,595评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,850评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,601评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,685评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,371评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,951评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,934评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,167评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,636评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,411评论 2 342

推荐阅读更多精彩内容

  • 抽象工厂 抽象工厂模式提供了一个接口,用于创建相关或依赖对象的族,而不指定具体的类。 客户与从工厂获得的具体对象的...
    woshishui1243阅读 3,350评论 1 5
  • 基础知识 设计模式概述 从招式与内功谈起——设计模式概述(一):设计模式从何而来? 从招式与内功谈起——设计模式概...
    Java黎先生阅读 601评论 0 7
  • I. 引言 设计模式(Design Pattern)是一套被反复使用、多数人知晓的、经过分类的、代码设计经验的总结...
    garyond阅读 2,673评论 0 2
  • 曾经有一部科幻惊悚电影《人兽杂交》,不知道大家有没有看过,这部电影对于小编来说,简直就是童年阴影,在这部电影当中讲...
    2d81017dd65c阅读 1,006评论 0 1
  • 优才计划 是香港政府于2006年推出的一项设有配额(1000人/年)的移民吸纳计划,旨在吸引高技术和行业优秀人才来...
    花生草阅读 652评论 0 0