代码快不快?跑个分就知道

编者按:本文做者是来自360奇舞团的前端开发工程师刘宇晨,同时也是 W3C 性能工做组成员。前端

上一回,笔者介绍了 Navigation TimingResource Timing 在监控页面加载上的实际应用。git

这一回,笔者将带领你们学习 Performance TimelineUser Timing 标准,并使用相应的 API,给前端代码“跑个分”。github

为何要学习这两个标准?

真实业务中,时而会出现比较消耗性能的操做,特别是频繁操做 DOM 的行为。那么如何量化这些操做的性能表现呢?浏览器

常见的作法,就是经过分别记录函数执行前和执行以后的 Date.now(),而后求差,得出具体的执行时间。缓存

记录一两个函数还好,多了的话,还须要开发者维护一个全局的 hash ,用来统计所有数据。服务器

随着 Performance Timeline + User Timing 标准的推出,开发者能够直接使用相应的 API,浏览器便会直接统计相关信息,从而显著简化了衡量前端性能的流程。markdown

什么是 Performance Timeline

根据 W3C 的定义,Performance Timeline 旨在帮助 Web 开发者在 Web 应用的整个生命周期中访问、检测、获取各种性能指标,并定义相关接口。网络

什么是 User Timing

User Timing 相较于 Performance Timeline 而言,更为细节。该标准拓展了原有的 Performance 接口,并添加了供前端开发者主动记录性能指标的新方法。前端工程师

截至到 2018 年 7 月 29 日,Performance TimelineUser Timing 的最新标准均为 Level 2,且均处于编辑草稿状态。异步

浏览器兼容性

图为 Performance Timeline Level 2PerformanceObserver API 的支持状况:

Performance Timeline Level 2 在实际应用时,主要使用 PerformanceObserver API。

Performance Timeline

图为 User Timing 的支持状况:

User Timing

二者究竟怎么使用?

入门级

假如你有一段比较耗性能的函数 foo,你好奇在不一样浏览器中,执行 foo 所需的时间分别是多少,那么你能够这么作:

const prefix = fix => input => `${fix}${input}`
const prefixStart = prefix('start')
const prefixEnd = prefix('end')
const measure = (fn, name = fn.name) => {
  performance.mark(prefixStart(name))
  fn()
  performance.mark(prefixEnd(name))
}
复制代码

上述代码中,使用了一个新的 API :performance.mark

根据标准,调用 performance.mark(markName) 时,发生了以下几步:

  • 建立一个新的 PerformanceMark 对象(如下称为条目);
  • name 属性设置为 markName
  • entryType 属性设置为 'mark'
  • startTime 属性设置为 performance.now() 的值;
  • duration 属性设置为 0
  • 将条目放入队列中;
  • 将条目加入到 performance entry buffer 中;
  • 返回 undefined

关于“放入队列”的含义,请参见 w3c.github.io/performance… [1] 中 Queue a PerformanceEntry

上述过程,能够简单理解为,“请浏览器记录一条名为 markName 的性能记录”。

以后,咱们能够经过 performance.getEntriesByType 获取具体数据:

const getMarks = key => {
  return performance
    .getEntriesByType('mark') // 只获取经过 performance.mark 记录的数据
    .filter(({ name }) => name === prefixStart(key) || name === prefixEnd(key))
}
const getDuration = entries => {
  const { start = 0, end = 0 } = entries.reduce((last, { name, startTime }) => {
    if (/^start/.test(name)) {
      last.start = startTime
    } else if (/^end/.test(name)) {
      last.end = startTime
    }
    return last
  })
  return end - start
}
const retrieveResult = key => getDuration(getMarks(key))
复制代码

performance.getEntriesByType('mark') 就是指明获取由 mark 产生的数据。

“获取个数据,怎么代码还要一大坨?尤为是 getDuration 中,区分开始、结束时间的部分,太琐碎吧!?“

W3C 性能小组早就料到有人会抱怨,因而进一步设计了 performance.measure 方法~

performance.measure 方法接收三个参数,依次是 measureNamestartMark 以及 endMark

startMarkendMark 很容易理解,就是对应开始和结束时的 markNamemeasureName 则是为每个 measure 行为,提供一个标识。

调用后,performance.measure 会根据 startMarkendMark 对应的两条记录(均由 performance.mark 产生),造成一条 entryType'measure' 的新记录,并自动计算运行时长。

幕后发生的具体步骤,和 performance.mark 很相似,有兴趣的读者能够参考规范中的 3.1.3 小节 www.w3.org/TR/user-tim… [2]

使用 performance.measure 重构一下前的代码:

const measure = (fn, name = fn.name) => {
  const startName = prefixStart(name)
  const endName = prefixEnd(name)
  performance.mark(startName)
  fn()
  performance.mark(endName)
  // 调用 measure
  performance.measure(name, startName, endName)
}
const getDuration = entries => {
  // 直接获取 duration
  const [{ duration }] = entries
  return duration
}
const retrieveResult = key => getDuration(performance.getEntriesByName(key))

// 使用时
function foo() {
  // some code
}
measure(foo)
const duration = retrieveResult('foo')
console.log('duration of foo is:', duration)
复制代码

如何?是否是更清晰、简练了~

这里,咱们直接经过 performance.getEntriesByName(measureName) 的形式,获取由 measure 产生的数据。

异步函数

异步函数?async await 来一套:

const asyncMeasure = async (fn, name = fn.name) => {
  const startName = prefixStart(name)
  const endName = prefixEnd(name)
  performance.mark(startName)
  await fn()
  performance.mark(endName)
  // 调用 measure
  performance.measure(name, startName, endName)
}
复制代码

回顾

mark measure
做用 进行某个操做时,记录一个时间戳  针对起始 + 结束的 mark 值,汇总造成一个直接可用的性能数据
不足 对于一个操做,须要两个时间戳才能衡量性能表现 想要测量多个操做时,须要重复调用

以上相关 API,所有来自于 User Timing Level 2 。当加入 Performance Timeline 后,咱们能够进一步优化代码结构~

进阶版

如上文所述,每次想看性能表现,彷佛都要主动调用一次 retrieveResult 函数。一两次还好,次数多了,无疑增长了重复代码,违反了 DRY 的原则。

Performance Timeline Level 2 中,工做组添加了新的 PerformanceObserver 接口,旨在解决如下三个问题:

  • 每次查看数据时,都要主动调用接口;
  • 当获取不一样类型的数据指标时,产生重复逻辑;
  • 其余资源须要同时操做 performance buffer 时,产生资源竞争状况。

对于前端工程师而言,实际使用时只是换了一套 API 。

依旧是测量某操做的性能表现,在支持 Performance Timeline Level 2 的浏览器中,能够这么写:

const observer = new PerformanceObserver(list =>
  list.getEntries().map(({ name, startTime }) => {
    // 如何利用数据的逻辑
    console.log(name, startTime)
    return startTime
  })
)
observer.observe({
  entryTypes: ['mark'],
  buffered: true
})
复制代码

聪慧的你应该发现了一些变化:

  • 使用了 getEntries 而不是 getEntriesByType
  • 调用 observe 方法时,设置了 entryTypesbuffer

由于在调用 observe 方法时设置了想要观察的 entryTypes,因此不须要再调用 getEntriesByType

buffered 字段的含义是,是否向 observerbuffer 中添加该条目(的 buffer),默认值是 false

关于为何会有 buffered 的设置,有兴趣的读者能够参考 github.com/w3c/perform… [3]

PerformanceObserver 构造函数

回过头来看一看 PerformanceObserver

实例化时,接收一个参数,名为 PerformanceObserverCallback,顾名思义是一个回调函数。

该函数有两个参数,分别是 PerformanceObserverEntryListPerformanceObserver。前者就是咱们关心的性能数据的集合。实际上咱们已经见过了好几回,例如 performance.getEntriesByType('navigation') 就会返回这种数据类型;后者则是实例化对象,能够理解为函数提供了一个 this 值。

全部跟数据有关的具体操做,如上报、打印等,都可以在 PerformanceObserverCallback 中进行。

实例化后,返回一个 observer 对象。该对象具有两个关键方法,分别是 observedisconnect

  • observe 用于告诉浏览器,“我想观察这几类性能数据”;
  • disconnect 用于断开观察,清空 buffer

为何会有 disconnect 方法?略具讽刺的一个事实是,长时间持续观察性能数据,是一个比较消耗性能的行为。所以,最好在“合适”的时间,中止观察,清空对应 buffer,释放性能。

使用 PerformanceObserver + performance.measure 对以前代码进行重构:

// 在 measure.js 中
const getMeasure = () => {
  const observer = new PerformanceObserver(list => {
    list.getEntries().forEach(({ name, duration }) => {
      console.log(name, duration)
      // 操做数据的逻辑
    })
  })
  // 只须要关注 measure 的数据
  observer.observe({
    entryTypes: ['measure'],
    buffered: true
  })
  return observer
}

// 项目入口文件的顶部
let observer
if (window.PerformanceObserver) {
  observer = getMeasure()
}

// 某一个合适的时间 再也不须要监控性能了
if (observer) {
  observer.disconnect()
}
复制代码

如此一来,获取性能数据的操做实现了 DRY 。

注意事项

假如屏幕前的你已经摩拳擦掌,跃跃欲试,且先缓一缓,看看如下几点注意事项:

  • 两个标准提供的性能监测能力,不只仅局限于前端代码,对于哪些比较复杂的异步接口,也能够经过 async + await 的形式监测“接口性能”(这里强调的是用户感知的性能,由于接口表现会显著受到网络环境、缓存使用、代理服务器等等的影响);
  • 若是要上报数据,须要思考,相关代码是否须要全量推送?更好的方式多是:(基于 User Agent 的)灰度;
  • 不要是个函数就 measure 一下。应当重点关注可能出现性能瓶颈的场景。且只有真正发生瓶颈时,再尝试数据上报;
  • 本文目的,并不是想要替代各个 benchmark 库。实际上,基础的性能测试仍是应当由 benchmark 库完成。本文的关注点,更多在于“监控”,即用户体验,发现真实发生的性能瓶颈场景。

总结

Performance Timeline + User Timing 为前端开发者提供了衡量代码性能的利器。若是遇到的项目是“性能敏感”型,那么尽早开始尝试吧~

鸣谢

高峰、黄小璐、刘博文与李松峰等人对文章结构、细节提出了宝贵的修订意见,排名分前后(时间顺序),特此鸣谢。

文内连接

  1. w3c.github.io/performance…

  2. www.w3.org/TR/user-tim…

  3. github.com/w3c/perform…

关于奇舞周刊

《奇舞周刊》是360公司专业前端团队「奇舞团」运营的前端技术社区。关注公众号后,直接发送连接到后台便可给咱们投稿。

相关文章
相关标签/搜索