如何实现一个 better than Promises/A+ 规范的 promise 底层类库

背景

提起Promise,大家并不陌生。Promise是异步编程的一种解决方案,比传统的解决方案(回调函数和事件 )更合理和更强大。它由前端社区最早提出和实现,ES6 将其写进了语言标准,统一了用法,原生提供了 Promise 对象。然而对于 IE,无论是 IE6-10,还是最新版本的 IE11,都不支持 Promise,或许MS IE认为前端程序员可以自己轻松去实现这个标准,又或许不认同已形成统一的规范,认为它可能存在一些缺点。但是无论怎样,Promise的出现给前端带来了里程碑式的变化,解决了回调地域的问题,进而 async await的出现让前端代码前所未有的优雅。但是,如果要支持 IE(起码要支持最新版的 IE11),我们该如何做?当然我们可以去使用别人写好的 pollyfill,但是不无前车之鉴,别人的代码不可能是永久安全的,更何况如此核心的一个 API,可能由于信息安全等方面的因素我们不能去随意引用别人的类库。所以本文将阐述如何去实现一个遵循 Promises/A+规范的 Promise 类库,不仅做好了对 IE 的支持,又在理解 Promise 原理的同时,提升了自身的编程思想和能力。

前置

Promises/A+,建议通篇阅读,Promises/A+是在Promises/A的基础上对原有规范进行修正和增强。Promises/A+组织会因新发现的问题以向后兼容的方式修改规范,且每次修改均会经过严格的考虑、讨论和测试,因此Promises/A+规范相对来说还是比较稳定的。

实现

  1. 首先 Promise 是一个类,我们可以通过 new 来创建 Promise 实例。参数是 executor,顾名思义,这是一个执行器且会立即执行。
  2. executor 有两个参数 resolve 和 reject,resolve 代表成功的回调,reject 代表失败的回调。
  3. Promise 默认有三个状态: 等待,成功,失败,默认为等待。调用 resolve 变为成功,调用 reject 变为失败。
  4. 返回的实例上有一个 then 方法。then 中有两个参数:成功对应的函数和失败对应的函数。
  5. 如果同时调用成功和失败,默认会采用第一次调用的结果。
  6. 抛出错误会走失败逻辑。
  7. 成功时可以传入成功的值(value),失败时可以传入失败的原因(reason)。
// 枚举三种状态
const ENUM_STATUS = {
  PENDING: 'pending',
  FULFILLED: 'fulfilled',
  REJECTED: 'rejected'
}

class Promise {
  constructor (executor) {
    this.status = ENUM_STATUS.PENDING
    this.value = undefined
    this.reason = undefined

    const resolve = value => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.FULFILLED
        this.value = value
      }
    }
    const reject = reason => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.REJECTED
        this.reason = reason
      }
    }
    try {
      executor(resolve, reject) // 立即执行
    } catch (error) {
      reject(error)
    }
  }
  then (onFulfilled, onRejected) {
    if (this.status === ENUM_STATUS.FULFILLED) {
        onFulfilled(this.value)
      }
      if (this.status === ENUM_STATUS.REJECTED) {
        onRejected(this.reason)
      }
  }
}

这就结束了吗?不,以上才刚刚开始,实现了一个“乞丐版”的 Promise。仔细看我们会发现如下问题:
调用 then 方法时,如果加入了定时器,会存在很大问题:因为没有考虑到异步的情况,调用 then 时并没有拿到成功或者失败的状态,所以会一直处于 pending 状态。多次调用 then 时存在异步又如何处理?所以,当我们调用 then 时如果是 pending 状态,则需要把成功和失败的回调分别进行保存。调用 resolve 时,将保存的函数进行执行。这是一个发布-订阅模式,可以加深理解,具体实现如下:

class Promise {
  constructor (executor) {
    this.status = ENUM_STATUS.PENDING
    this.value = undefined
    this.reason = undefined

    // 创建成功和失败的队列用于分别存放
    this.onResolvedCallbacks = []
    this.onRejectedCallbacks = []

    const resolve = value => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.FULFILLED
        this.value = value

        // 成功时执行队列中的方法
        this.onResolvedCallbacks.forEach(fn => fn())
      }
    }
    const reject = reason => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.REJECTED
        this.reason = reason

        // 失败时执行队列中的方法
        this.onRejectedCallbacks.forEach(fn => fn())
      }
    }
    try {
      executor(resolve, reject)
    } catch (error) {
      reject(error)
    }
  }
  then (onFulfilled, onRejected) {
    if (this.status === ENUM_STATUS.FULFILLED) {
      onFulfilled(this.value)
    }
    if (this.status === ENUM_STATUS.REJECTED) {
      onRejected(this.reason)
    }
    if (this.status === ENUM_STATUS.PENDING) {
      // 便于扩展 采用AOP模式
      this.onResolvedCallbacks.push(() => {
        onFulfilled(this.value)
      })
      this.onRejectedCallbacks.push(() => {
        onRejected(this.reason)
      })
    }
  }
}

以上代码加入了异步处理的逻辑,同时实现了 then 方法可以进行多次调用,但是目光敏锐的同学会问:既然可以多次调用,那可以进行链式调用吗?确实在 Promise 中,then 的链式调用是 Promise 的核心之一,正是因为支持链式调用从而解决了无限回调的问题,更多细节如下:

  1. 可以在 then 方法中的成功回调和失败回调抛出异常,走到下一个 then 方法的失败回调中。
  2. 如果返回的是 Promise, 则会把当前 Promise 的状态作为结果向下传递。
  3. 错误处理遵循就近原则,向下找到即执行。

对于 then 方法链式调用的思考

比如jQuery链式调用是通过return this来实现的,但是对于 Promise 来说这样是行不通的。Promise 是通过返回一个新的 Promise 来实现的。原因是什么呢?我们知道 Promise 有一个重要的特点是:如果成功则不能失败,如果失败则不能成功。打个比方:现有一段有 5 个 then 方法调用的代码片段,如果 Promise 使用同一个实例(return this),第一个 then 抛出异常,则会直接进入失败的方法中(catch),其余的 then 均没有被执行。但是如果 then 返回的是一个新的 Promise,这样既可以成功也可失败。

class Promise {
  constructor (executor) {
    this.status = ENUM_STATUS.PENDING
    this.value = undefined
    this.reason = undefined

    this.onResolvedCallbacks = []
    this.onRejectedCallbacks = []

    const resolve = value => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.FULFILLED
        this.value = value
        this.onResolvedCallbacks.forEach(fn => fn())
      }
    }
    const reject = reason => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.REJECTED
        this.reason = reason
        this.onRejectedCallbacks.forEach(fn => fn())
      }
    }
    try {
      executor(resolve, reject)
    } catch (error) {
      reject(error)
    }
  }
  then (onFulfilled, onRejected) {
    let promise2 = new Promise((resolve, reject) => {
      if (this.status === ENUM_STATUS.FULFILLED) {
        let x = onFulfilled(this.value)
      }
      if (this.status === ENUM_STATUS.REJECTED) {
         let x = onRejected(this.reason)
      }
      if (this.status === ENUM_STATUS.PENDING) {
        this.onResolvedCallbacks.push(() => {
          let x = onFulfilled(this.value)
        })
        this.onRejectedCallbacks.push(() => {
          let x = onRejected(this.reason)
        })
      }
    })
    return promise2
  }
}

2.2.7 then must return a promise. promise2 = promise1.then(onFulfilled, onRejected);
2.2.7.1 If either onFulfilled or onRejected returns a value x, run the Promise Resolution Procedure [[Resolve]](promise2, x).
2.2.7.2 If either onFulfilled or onRejected throws an exception e, promise2 must be rejected with e as the reason.
2.2.7.3 If onFulfilled is not a function and promise1 is fulfilled, promise2 must be fulfilled with the same value as promise1.
2.2.7.4 If onRejected is not a function and promise1 is rejected, promise2 must be rejected with the same reason as promise1.

如上代码修改,根据Promises/A+规范所述(2.2.7),定义了then方法返回的promise2和成功或失败的返回值x, 这个x需要通过resolve或者reject进行处理,所以要知道x是成功还是失败,需要一个方法进行判断,我们新增了resolvePromise()方法。

then (onFulfilled, onRejected) { 
  let promise2 = new Promise((resolve, reject) => {
    if (this.status === ENUM_STATUS.FULFILLED) {
      let x = onFulfilled(this.value)
      resolvePromise(x, promise2, resolve, reject)
    }
    if (this.status === ENUM_STATUS.REJECTED) {
        let x = onRejected(this.reason)
        resolvePromise(x, promise2, resolve, reject)
    }
    if (this.status === ENUM_STATUS.PENDING) {
      this.onResolvedCallbacks.push(() => {
        let x = onFulfilled(this.value)
        resolvePromise(x, promise2, resolve, reject)
      })
      this.onRejectedCallbacks.push(() => {
        let x = onRejected(this.reason)
        resolvePromise(x, promise2, resolve, reject)
      })
    }
  })
  return promise2
}

const resolvePromise = (x, promise2, resolve, reject) => {}

如下,则要实现resolvePromise方法,来解析xpromise2的关系,但是这样写还会有一个问题,仔细看会发现我们调用resolvePromise方法时的参数传入了promise2,但是我们对该方法的调用是写在promise2实例化方法体里的,这样会导致执行时报错,提示我们不能在promise2初始化完成前使用promise2。文档里也有讲:

Here “platform code” means engine, environment, and promise implementation code. In practice, this requirement ensures that onFulfilled and onRejected execute asynchronously, after the event loop turn in which then is called, and with a fresh stack. This can be implemented with either a “macro-task” mechanism such as setTimeout or setImmediate, or with a “micro-task” mechanism such as MutationObserver or process.nextTick.

我们可以使用宏任务setTimeout去进行包装,使onFulfilled和onRejecte都可以异步执行。既然用宏任务包装了一层,错误处理肯定也会丢失,所以这里我们在用setTimeOut的同时,也要使用try catch进行包装。

then (onFulfilled, onRejected) {
  let promise2 = new Promise((resolve, reject) => {
    if (this.status === ENUM_STATUS.FULFILLED) {
      setTimeout(() => {
        try {
          let x = onFulfilled(this.value)
          resolvePromise(x, promise2, resolve, reject)
        } catch (error) {
          reject(error)
        }
      }, 0)
    }
    if (this.status === ENUM_STATUS.REJECTED) {
      setTimeout(() => {
        try {
          let x = onRejected(this.reason)
          resolvePromise(x, promise2, resolve, reject)
        } catch (error) {
          reject(error)
        }
      }, 0)
    }
    if (this.status === ENUM_STATUS.PENDING) {
      this.onResolvedCallbacks.push(() => {
        setTimeout(() => {
          try {
            let x = onFulfilled(this.value)
            resolvePromise(x, promise2, resolve, reject)
          } catch (error) {
            reject(error)
          }
        }, 0)
      })
      this.onRejectedCallbacks.push(() => {
        setTimeout(() => {
          try {
            let x = onRejected(this.reason)
            resolvePromise(x, promise2, resolve, reject)
          } catch (error) {
            reject(error)
          }
        }, 0)
      })
    }
  })
  return promise2
}

继续实现resolvePromise方法,这里有一点要注意的是,我们需要兼容其他版本或者其他人写的promise,虽然都是按照Promises/A+规范来实现的,但其中还是有一定的差异。需要注意的另外一点是规范中指出:如果promisex指向同一个object,则通过reject promise抛出一个类型错误作为失败的原因。

这里将规范文档中的重点筛出来,作为代码实现的注释:

2.3.1 If promise and x refer to the same object, reject promise with a TypeError as the reason.
2.3.2 If x is a promise, adopt its state.
2.3.3 Otherwise, if x is an object or function,
2.3.3.1 Let then be x.then.
2.3.3.2 If retrieving the property x.then results in a thrown exception e, reject promise with e as the reason.
2.3.3.3 If then is a function, call it with x as this, first argument resolvePromise, and second argument rejectPromise, where:
2.3.3.3.1 If/when resolvePromise is called with a value y, run [[Resolve]](promise, y).
2.3.3.3.2 If/when rejectPromise is called with a reason r, reject promise with r.
2.3.3.3.3 If both resolvePromise and rejectPromise are called, or multiple calls to the same argument are made, the first call takes precedence, and any further calls are ignored.
2.3.3.3.4 If calling then throws an exception e,
2.3.3.3.4.1 If resolvePromise or rejectPromise have been called, ignore it.
2.3.3.3.4.2 Otherwise, reject promise with e as the reason.
2.3.3.4 If then is not a function, fulfill promise with x.
2.3.4 If x is not an object or function, fulfill promise with x.

const resolvePromise = (x, promise2, resolve, reject) => {
  if (x === promise2) {
    // 2.3.1 If promise and x refer to the same object, reject promise with a TypeError as the reason.
    // 我买几个橘子去。你就在此地,不要走动。
    reject(new TypeError('Chaining cycle detected for promise #<Promise>'))
  }
  // 兼容其他人的Promise,则Promise可能是对象也可能是函数。
  if ((typeof x === 'object' && x !== null) || typeof x === 'function') {
    // 2.3.3.3.3 此处解析的x如果是Promise,则可能是其他类库的Promise, 即存在一种不确定性: 此Promise既调用了成功也调用了失败。所以需要定义变量called来规避此种情况。
    let called
    try {
      // 2.3.3.1 Let then be x.then.
      // 取 then 方法
      let then = x.then

      // then的类型如果是function, 则then是Promise
      if (typeof then === 'function') {
        // 2.3.3.3 If then is a function, call it with x as this.
        // 取then方法的目的是在此处进行复用,防止多次调用get方法(x.then)而导致报错。
        // 2.3.3.3.1 --- 2.3.3.3.3 (成功 => y  失败 => r)
        then.call(x, y => {
          if (called) return
          called = true
          // y也可能是Promise,则需递归解析y的值直到结果为普通值。
          resolvePromise(y, promise2, resolve, reject)
        }, r => {
          if (called) return
          called = true
          reject(r)
        })
      } else {
        // 2.3.3.4 If then is not a function, fulfill promise with x.
        // 非Promise的普通对象
        resolve(x)
      }
    } catch (e) {
      // 2.3.3.2 If retrieving the property x.then results in a thrown exception e, reject promise with e as the reason.
      if (called) return
      called = true
      reject(e)
    }
  } else {
    // 2.3.4 If x is not an object or function, fulfill promise with x.
    // 非Promise的普通值
    resolve(x)
  }
}

至此,我们完整实现了resolvePromise方法。

回头看文档

2.2.1 Both onFulfilled and onRejected are optional arguments:
2.2.1.1 If onFulfilled is not a function, it must be ignored.
2.2.1.2 If onRejected is not a function, it must be ignored.

可以了解到then方法的两个参数onFulfilledonRejected均为可选参数,我们实现时则默认写成了必传的方式,所以此处需要修改,则涉及到一个“穿透”的概念。可以用如下例子进行理解:

new Promise((resolve, reject) => {
  resolve('foo')
}).then().then().then(data => {
  console.log(data)
})

如果用我们目前实现的Promise,很明显data的值无法正常打印,所以我们需要进行改写,通过中间的两个then()进行值的穿透,传递到最后一个then中:

new Promise((resolve, reject) => {
  resolve('foo')
}).then(data => data).then(data => data).then(data => {
  console.log(data)
})

那么,思路来了:

then (onFulfilled, onRejected) {
  onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : value => value
  onRejected = typeof onRejected === 'function' ? onRejected : error => { throw error }

  // 此处省略 Promise2的定义
  // ...
  
  return promise2
}

这样,我们完整地实现了Promise。接下来需要检测我们实现的Promise是否“扛揍”,Promises/A+文档最后贴上了推荐测试的包:Compliance Tests

测试要求提供一个测试入口,按要求添加(测试完毕后会对此方法进行解读)

Promise.defer = Promise.deferred = () => {
  let dfd = {}
  dfd.promise = new Promise((resolve, reject) => {
    dfd.resolve = resolve
    dfd.reject = reject
  })
  return dfd
}

全局安装promises-aplus-tests

npm install -g promises-aplus-tests

安全完毕后我们进行测试:

promises-aplus-tests promise.js

最后提示:872 passing (16s), 代表测试全部通过。部分截图如下:

promise-test-result.png

接下来,我们解释一下这个延迟对象deferred: Promise的实现,本身是为了解决嵌套问题。比如我们开始封装一个异步方法foo,如果我们在foo方法体中直接new Promise,这样直接开始了一层嵌套,很不友好。为了简化此种写法,让我们封装的方法可以直接promise化调用foo.then(),所以我们可以使用Promise.defer这个静态方法(通过类本身来调用的方法),此方法会返回一个dfd。即在foo方法体开始定义let dfd = Promise.defer(), 方法体结尾return dfd.promise,在foo方法体中的异步方法处理成功失败均可挂载到dfd上:dfd.resolve(data);dfd.reject(error)。如此我们减少了不必要的嵌套,让代码更加优雅。

我们需要对Promise的静态方法catch进行实现,很容易想到:catch相当于一个没有成功的then方法,如下:

catch (errorCallback) {
  return this.then(null, errorCallback)
}

另外,还有两个静态方法Promise.resolve()Promse.reject(), resolve方法即产生一个成功的Promise, reject方法即产生一个失败的Promise:

static resolve (value) {
  return new Promise((resolve, reject) => {
    resolve(value)
  })
}

static reject (reason) {
  return new Promise((resolve, reject) => {
    reject(reason)
  })
}

此处如果经过测试会发现一个小问题,这个静态方法resolve的参数value如果是一个Promise(调用了new Promise),在其中的异步方法中又调用了resolve方法,我们就无法拿到正确的结果(不会等待异步方法执行完毕,直接返回Promise且会处在pending状态) 。所以我们就需要对这个value进行递归解析(ES6内部自身已实现了该方法):

// 重写constructor中的resolve方法
const resolve = value => {
  if (value instanceof Promise) {
    return value.then(resolve, reject)
  }

  if (this.status === ENUM_STATUS.PENDING) {
    this.status = ENUM_STATUS.FULFILLED
    this.value = value
    this.onResolvedCallbacks.forEach(fn => fn())
  }
}

综上,我们实现了Promise.resolve的等待功能。

至此,我们不仅完美实现了符合Promises/A+规范的Promise类库、通过了官方的测试。 还为了对标ES6 Promise, 让Promise更完整,实现了静态方法resolve,rejectcatch等方法。

后续计划:

  1. Promise.all,Promise.race,Promise.finally进行实现
  2. Promise.allSettled(ES2020)进行实现

最后,贴上完整的代码:

const ENUM_STATUS = {
  PENDING: 'pending',
  FULFILLED: 'fulfilled',
  REJECTED: 'rejected'
}

const resolvePromise = (x, promise2, resolve, reject) => {
  if (x === promise2) {
    // 我买几个橘子去。你就在此地,不要走动。
    reject(new TypeError('Chaining cycle detected for promise #<Promise>'))
  }
  if ((typeof x === 'object' && x !== null) || typeof x === 'function') {
    let called
    try {
      let then = x.then
      if (typeof then === 'function') {
        then.call(x, y => {
          if (called) return
          called = true
          resolvePromise(y, promise2, resolve, reject)
        }, r => {
          if (called) return
          called = true
          reject(r)
        })
      } else {
        resolve(x)
      }
    } catch (e) {
      if (called) return
      called = true
      reject(e)
    }
  } else {
    resolve(x)
  }
}

class Promise {
  constructor (executor) {
    this.status = ENUM_STATUS.PENDING

    this.value = undefined
    this.reason = undefined

    this.onResolvedCallbacks = []
    this.onRejectedCallbacks = []

    const resolve = value => {
      if (value instanceof Promise) {
        return value.then(resolve, reject)
      }

      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.FULFILLED
        this.value = value
        this.onResolvedCallbacks.forEach(fn => fn())
      }
    }
    const reject = reason => {
      if (this.status === ENUM_STATUS.PENDING) {
        this.status = ENUM_STATUS.REJECTED
        this.reason = reason
        this.onRejectedCallbacks.forEach(fn => fn())
      }
    }

    try {
      executor(resolve, reject)
    } catch (error) {
      reject(error)
    }
  }

  then (onFulfilled, onRejected) {
    onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : value => value
    onRejected = typeof onRejected === 'function' ? onRejected : error => { throw error }

    let promise2 = new Promise((resolve, reject) => {
      if (this.status === ENUM_STATUS.FULFILLED) {
        setTimeout(() => {
          try {
            let x = onFulfilled(this.value)
            resolvePromise(x, promise2, resolve, reject)
          } catch (error) {
            reject(error)
          }
        }, 0)
      }
      if (this.status === ENUM_STATUS.REJECTED) {
        setTimeout(() => {
          try {
            let x = onRejected(this.reason)
            resolvePromise(x, promise2, resolve, reject)
          } catch (error) {
            reject(error)
          }
        }, 0)
      }
      if (this.status === ENUM_STATUS.PENDING) {
        this.onResolvedCallbacks.push(() => {
          setTimeout(() => {
            try {
              let x = onFulfilled(this.value)
              resolvePromise(x, promise2, resolve, reject)
            } catch (error) {
              reject(error)
            }
          }, 0)
        })
        this.onRejectedCallbacks.push(() => {
          setTimeout(() => {
            try {
              let x = onRejected(this.reason)
              resolvePromise(x, promise2, resolve, reject)
            } catch (error) {
              reject(error)
            }
          }, 0)
        })
      }
    })
    
    return promise2
  }

  catch (errorCallback) {
    return this.then(null, errorCallback)
  }

  static resolve (value) {
    return new Promise((resolve, reject) => {
      resolve(value)
    })
  }

  static reject (reason) {
    return new Promise((resolve, reject) => {
      reject(reason)
    })
  }
}

Promise.defer = Promise.deferred = () => {
  let dfd = {}
  dfd.promise = new Promise((resolve, reject) => {
    dfd.resolve = resolve
    dfd.reject = reject
  })
  return dfd
}

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