标签:先来 led pen ons resolve 执行函数 开发 面试 创建
在完成符合 Promise/A+ 规范的代码之前,我们可以先来实现一个简易版 Promise
,因为在面试中,如果你能实现出一个简易版的 Promise
基本可以过关了。
那么我们先来搭建构建函数的大体框架
const PENDING = ‘pending‘ const RESOLVED = ‘resolved‘ const REJECTED = ‘rejected‘ function MyPromise(fn) { const that = this that.state = PENDING that.value = null that.resolvedCallbacks = [] that.rejectedCallbacks = [] // 待完善 resolve 和 reject 函数 // 待完善执行 fn 函数 }
that
,因为代码可能会异步执行,用于获取正确的 this
对象Promise
的状态应该是 pending
value
变量用于保存 resolve
或者 reject
中传入的值resolvedCallbacks
和 rejectedCallbacks
用于保存 then
中的回调,因为当执行完 Promise
时状态可能还是等待中,这时候应该把 then
中的回调保存起来用于状态改变时使用接下来我们来完善 resolve
和 reject
函数,添加在 MyPromise
函数体内部
function resolve(value) { if (that.state === PENDING) { that.state = RESOLVED that.value = value that.resolvedCallbacks.map(cb => cb(that.value)) } } function reject(value) { if (that.state === PENDING) { that.state = REJECTED that.value = value that.rejectedCallbacks.map(cb => cb(that.value)) } }
这两个函数代码类似,就一起解析了
value
完成以上两个函数以后,我们就该实现如何执行 Promise
中传入的函数了
try { fn(resolve, reject) } catch (e) { reject(e) }
reject
函数最后我们来实现较为复杂的 then
函数
MyPromise.prototype.then = function(onFulfilled, onRejected) { const that = this onFulfilled = typeof onFulfilled === ‘function‘ ? onFulfilled : v => v onRejected = typeof onRejected === ‘function‘ ? onRejected : r => { throw r } if (that.state === PENDING) { that.resolvedCallbacks.push(onFulfilled) that.rejectedCallbacks.push(onRejected) } if (that.state === RESOLVED) { onFulfilled(that.value) } if (that.state === REJECTED) { onRejected(that.value) } }
首先判断两个参数是否为函数类型,因为这两个参数是可选参数
当参数不是函数类型时,需要创建一个函数赋值给对应的参数,同时也实现了透传,比如如下代码
// 该代码目前在简单版中会报错 // 只是作为一个透传的例子 Promise.resolve(4).then().then((value) => console.log(value))
接下来就是一系列判断状态的逻辑,当状态不是等待态时,就去执行相对应的函数。如果状态是等待态的话,就往回调函数中 push
函数,比如如下代码就会进入等待态的逻辑
new MyPromise((resolve, reject) => { setTimeout(() => { resolve(1) }, 0) }).then(value => { console.log(value) })
以上就是简单版 Promise
实现
标签:先来 led pen ons resolve 执行函数 开发 面试 创建
原文地址:https://www.cnblogs.com/keyng/p/12942779.html