javascript技巧

关注公众号 jb51net

关闭
首页 > 网络编程 > JavaScript > javascript技巧 > JavaScript优化页面加载速度

使用JavaScript优化页面加载速度的详细过程

作者:IT_陈寒

在现代Web开发中,性能优化已经从锦上添花变成了必备技能,当我接手一个电商项目时,发现其首屏加载时间高达2秒以上,通过一系列JavaScript优化手段,最终将其降至200ms左右,本文将详细分享这个优化过程中的关键技术和思考,需要的朋友可以参考下

引言:为什么速度如此重要?

在现代Web开发中,性能优化已经从"锦上添花"变成了"必备技能"。根据Google的研究:

当我接手一个电商项目时,发现其首屏加载时间高达2秒以上。通过一系列JavaScript优化手段,最终将其降至200ms左右。本文将详细分享这个优化过程中的关键技术和思考。

一、性能分析:找到瓶颈所在

1.1 Lighthouse全面审计

首先使用Chrome DevTools的Lighthouse进行全面审计:

# 运行Lighthouse的方式
lighthouse https://example.com --view --preset=desktop

审计结果显示主要问题:

1.2 Chrome Performance面板深入分析

通过Performance录制发现:

1.3 Webpack Bundle Analyzer检查打包情况

const BundleAnalyzerPlugin = require('webpack-bundle-analyser').BundleAnalyzerPlugin;

module.exports = {
  plugins: [new BundleAnalyzerPlugin()]
}

分析结果:

二、JavaScript执行优化策略

2.1 Code Splitting与动态导入

将大型JS文件拆分为按需加载的chunks:

// Before
import { heavyCalculation } from './utils';

// After
const heavyCalculation = () => import('./utils/heavyCalculation');

Webpack配置示例:

optimization: {
  splitChunks: {
    chunks: 'all',
    maxSize: 244 * 1024, // KB to bytes
    cacheGroups: {
      vendors: {
        test: /[\\/]node_modules[\\/]/,
        priority: -10
      }
    }
  }
}

2.2 Tree Shaking深度优化

确保ES模块语法纯净:

// package.json中加入sideEffects声明
{
  "sideEffects": ["*.css", "*.scss"]
}

// Babel配置避免转换ES模块语法
{
  "presets": [
    ["@babel/preset-env", { "modules": false }]
  ]
}

2.3 Web Worker处理CPU密集型任务

将图像处理移入Web Worker:

// main.js
const worker = new Worker('image-processor.js');

worker.postMessage({ imageData });
worker.onmessage = (e) => {
  updateUI(e.data);
};

// image-processor.js 
self.onmessage = function(e) {
 const result = heavyImageProcessing(e.data.imageData);
 self.postMessage(result);
};

三、渲染性能关键优化

3.1 Virtualized Lists解决长列表问题

import { FixedSizeList as List } from 'react-window';

const Row = ({ index, style }) => (
 <div style={style}>Row {index}</div>
);

const Example = () => (
 <List height={600} itemCount={1000} itemSize={35} width={300}>
   {Row}
 </List>
);

3.2 Memoization减少不必要渲染

React.memo + useMemo组合拳:

const ExpensiveComponent = React.memo(({ data }) => {
 const processedData = useMemo(() => 
   expensiveProcessing(data), 
   [data]
 );
 
 return <div>{processedData}</div>;
});

自定义shouldComponentUpdate比较函数:

function areEqual(prevProps, nextProps) {
 return prevProps.id === nextProps.id;
}
export default React.memo(MyComponent, areEqual);

3.3 Intersection Observer实现懒加载

图片和组件懒加载实现:

const observer = new IntersectionObserver((entries) => {
 entries.forEach(entry => {
   if (entry.isIntersecting) {
     const img = entry.target;
     img.src = img.dataset.src;
     observer.unobserve(img);
   }
 });
});

document.querySelectorAll('img.lazy').forEach(img => {
 observer.observe(img);
});

四、网络请求优化策略

4.1 GraphQL批量查询替代REST瀑布流

原始REST请求:

GET /user/123 → GET /user/123/orders → GET /orders/456/products 

优化为GraphQL单次查询:

graphql query { 
user(id:"123") 
{ 
orders { 
products {
name price 
} 
} 
} 
} 

4.2 Service Worker缓存策略

实现StaleWhileRevalidate模式:

self.addEventListener('fetch', 
(event) => { 
    event respondWith( caches match(event request) 
    then((cachedResponse) => 
    { 
    const fetchPromise fetch(event request) then((networkResponse) => { 
    caches open('dynamic-cache') 
    then((cache) cache put(event request networkResponse clone(
        )
    ) return networkResponse 
        
    }) 
    return cachedResponse || fetchPromise 
        
    }) 
    )
    }) 

4.3 Brotli压缩替代Gzip

Nginx配置示例:

http { 
    brotli on; 
    brotli_comp_level6; 
    brotli_types text/plain text/css application/json application/javascript;
    
    } 

五、微前端架构下的性能优化

5.1 Module Federation共享依赖

webpack config js:

module exports 
remotes app1' app1@http://localhost3001 remoteEntry js' 
shared react'singleton true requiredVersion'^18'
       
        }
 } 

5.2 Prefetching策略

HTML中加入预取提示:

<link rel="prefetch" href="/assets/chart-component js" as="script"> 

六、监控与持续优化

6.1 Real User Monitoring(RUM)

使用Perfume js收集指标:

import Perfume from 'perfume js'; 
const perfume new Perfume({ 
    analyticsTracker(
    options metricName data duration)= console 
    log(`${metricName}: ${duration}`); 
    
}
}
); 
    perfume firstPaint() 
   
    perfume firstContentfulPaint() 

6.2 Synthetic Monitoring定时检测

Puppeteer脚本示例:

const puppeteer require('puppeteer'); 
async function runCheck()
{ 
    
const browser await puppeteer launch(); 
const page await browser newPage(); 
await page trace start(path:'trace json'); 
await page goto(url waitUntil'networkidle0'); 
await page trace stop(); await browser close();
    
} 

setInterval(runCheck3600000); 

总结性能优化的哲学思考

经过上述全方位的优化我们的网站不仅实现了从2000ms到200ms的飞跃更重要的是建立了一套完整的性能文化:

1 测量优先:没有测量就没有真正的优化所有决策都应以数据为依据

2 渐进增强:核心功能应能在最基础的环境中工作高级功能逐步增强

3 全局思维:单个组件的极致优化不如系统级的架构改进

4 持续迭代:性能不是一次性工作而应融入日常开发流程

最终我们建立了自动化性能门禁任何导致Lighthouse分数下降超过5分的PR都会被自动阻止这确保了优化的成果得以长期保持

以上就是使用JavaScript优化页面加载速度的详细过程的详细内容,更多关于JavaScript优化页面加载速度的资料请关注脚本之家其它相关文章!

您可能感兴趣的文章:
阅读全文