其他

使用 Webpack 优化项目

  • 对于 Webpack4,打包项目使用 production 模式,这样会自动开启代码压缩
  • 使用 ES6 模块来开启 tree shaking,这个技术可以移除没有使用的代码
  • 优化图片,对于小图可以使用 base64 的方式写入文件中
  • 按照路由拆分代码,实现按需加载
  • 给打包出来的文件名添加哈希,实现浏览器缓存文件

监控

对于代码运行错误,通常的办法是使用 window.onerror 拦截报错。该方法能拦截到大部分的详细报错信息,但是也有例外

  • 对于跨域的代码运行错误会显示 Script error. 对于这种情况我们需要给 script 标签添加 crossorigin 属性
  • 对于某些浏览器可能不会显示调用栈信息,这种情况可以通过 arguments.callee.caller 来做栈递归

对于异步代码来说,可以使用 catch 的方式捕获错误。比如 Promise 可以直接使用 catch 函数,async await 可以使用 try catch

但是要注意线上运行的代码都是压缩过的,需要在打包时生成 sourceMap 文件便于 debug。

对于捕获的错误需要上传给服务器,通常可以通过 img 标签的 src 发起一个请求。

面试题

如何渲染几万条数据并不卡住界面

这道题考察了如何在不卡住页面的情况下渲染数据,也就是说不能一次性将几万条都渲染出来,而应该一次渲染部分 DOM,那么就可以通过 requestAnimationFrame 来每 16 ms 刷新一次。

  1. <!DOCTYPE html>
  2. <html lang="en">
  3. <head>
  4. <meta charset="UTF-8">
  5. <meta name="viewport" content="width=device-width, initial-scale=1.0">
  6. <meta http-equiv="X-UA-Compatible" content="ie=edge">
  7. <title>Document</title>
  8. </head>
  9. <body>
  10. <ul>控件</ul>
  11. <script>
  12. setTimeout(() => {
  13. // 插入十万条数据
  14. const total = 100000
  15. // 一次插入 20 条,如果觉得性能不好就减少
  16. const once = 20
  17. // 渲染数据总共需要几次
  18. const loopCount = total / once
  19. let countOfRender = 0
  20. let ul = document.querySelector("ul");
  21. function add() {
  22. // 优化性能,插入不会造成回流
  23. const fragment = document.createDocumentFragment();
  24. for (let i = 0; i < once; i++) {
  25. const li = document.createElement("li");
  26. li.innerText = Math.floor(Math.random() * total);
  27. fragment.appendChild(li);
  28. }
  29. ul.appendChild(fragment);
  30. countOfRender += 1;
  31. loop();
  32. }
  33. function loop() {
  34. if (countOfRender < loopCount) {
  35. window.requestAnimationFrame(add);
  36. }
  37. }
  38. loop();
  39. }, 0);
  40. </script>
  41. </body>
  42. </html>