const PENDING = 'pending'
const FULFILLED = 'fulfilled'
const REJECTED = 'rejected'
class VPromise {
constructor(excutor) {
this.status = PENDING
this.value = undefined
this.fulfilledQueues = []
this.rejectedQueues = []
try {
excutor(this._resolve, this._reject)
} catch (e) {
this._reject(e)
}
}
_resolve = value => {
const run = () => {
if (this.status === PENDING) {
if (value instanceof VPromise) {
value.then(res => {
this.status = FULFILLED
this.value = value
let cb
while (cb = this.fulfilledQueues.shift()) {
cb(res)
}
}, err => {
this.status = REJECTED
this.value = err
let cb
while (cb = this.rejectedQueues.shift()) {
cb(err)
}
})
} else {
this.status = FULFILLED
this.value = value
let cb
while (cb = this.fulfilledQueues.shift()) {
cb(value)
}
}
}
}
setTimeout(() => run(), 0)
}
_reject = reason => {
const run = () => {
if (this.status === PENDING) {
this.status = REJECTED
this.value = reason
let cb
while (cb = this.rejectedQueues.shift()) {
cb(reason)
}
}
}
setTimeout(() => run(), 0)
}
then(onFulfilled, onRejected) {
const { status, value, fulfilledQueues, rejectedQueues } = this
return new VPromise((_resolveNext, _rejectNext) => {
let resolve = val => {
try {
if (typeof onFulfilled !== 'function') {
_resolveNext(val)
} else {
let x = onFulfilled(val)
if (x instanceof VPromise) {
x.then(_resolveNext, _rejectNext)
} else {
_resolveNext(x)
}
}
} catch (e) {
_rejectNext(e)
}
}
let reject = val => {
try {
if (typeof onRejected !== 'function') {
_rejectNext(val)
} else {
let x = onRejected(val)
if (x instanceof VPromise) {
x.then(_resolveNext, _rejectNext)
} else {
_resolveNext(x)
}
}
} catch (e) {
_rejectNext(e)
}
}
if (status === FULFILLED) {
resolve(value)
}
if (status === REJECTED) {
reject(value)
}
if (status === PENDING) {
fulfilledQueues.push(resolve)
rejectedQueues.push(reject)
}
})
}
catch(onRejected) {
return this.then(undefined, onRejected)
}
}
new VPromise((resolve, reject) => {
reject('error')
}).catch(err => console.log(err))
console