- 性能瓶颈分析
1.1 初始性能指标
首屏加载时间:8.2秒
白屏时间:3.5秒
可交互时间:6.8秒
页面大小:4.7MB
请求数量:89个
1.2 主要瓶颈
资源加载问题
未压缩图片占页面体积的65%
第三方脚本阻塞渲染(广告、监控、推荐)
CSS/JS文件未合并,HTTP/1.1队头阻塞
渲染性能问题
同步加载所有商品数据
未使用虚拟滚动处理长列表
重绘/回流频繁(图片懒加载缺失)
架构问题
服务端渲染逻辑复杂
缓存策略缺失
CDN配置不合理 - 优化方案实施
2.1 资源加载优化
// 图片优化方案
// 1. 使用WebP格式 + 回退方案
// 2. 实现渐进式图片加载
function loadImageProgressive(imgElement, placeholder, fullImage) {
imgElement.src = placeholder; // 低质量占位图
const fullImg = new Image();
fullImg.onload = () => {
imgElement.src = fullImage;
imgElement.classList.add('loaded');
};
fullImg.src = fullImage;
}
// 3. 图片懒加载
const lazyImages = document.querySelectorAll('img[data-src]');
const imageObserver = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
const img = entry.target;
img.src = img.dataset.src;
img.removeAttribute('data-src');
imageObserver.unobserve(img);
}
});
});
lazyImages.forEach(img => imageObserver.observe(img));
2.2 脚本加载优化
// 1. 第三方脚本异步加载
function loadScript(src, callback) {
const script = document.createElement('script');
script.src = src;
script.async = true;
script.onload = callback;
document.head.appendChild(script);
}
// 2. 关键脚本预加载
// 3. 非关键CSS异步加载
function loadNonCriticalCSS() {
const link = document.createElement('link');
link.rel = 'stylesheet';
link.href = '/non-critical.css';
link.media = 'print';
link.onload = () => link.media = 'all';
document.head.appendChild(link);
}
2.3 数据加载优化
// 1. 分片加载商品数据
async function loadProductData(productId) {
// 优先加载核心信息
const basicInfo = await fetch(/api/products/${productId}/basic);
renderBasicInfo(basicInfo);
// 延迟加载详情信息
setTimeout(async () => {
const details = await fetch(/api/products/${productId}/details);
renderDetails(details);
}, 1000);
// 最后加载评论
setTimeout(async () => {
const reviews = await fetch(/api/products/${productId}/reviews);
renderReviews(reviews);
}, 2000);
}
// 2. 使用GraphQL减少请求数量
const query = query GetProduct($id: ID!) { product(id: $id) { name price images variants { id name price } reviews(limit: 5) { rating comment } } };
// 3. 实现数据缓存
class ProductCache {
constructor() {
this.cache = new Map();
this.maxSize = 100;
}
get(key) {
const item = this.cache.get(key);
if (item) {
this.cache.delete(key);
this.cache.set(key, item);
return item;
}
return null;
}
set(key, value) {
if (this.cache.size >= this.maxSize) {
const firstKey = this.cache.keys().next().value;
this.cache.delete(firstKey);
}
this.cache.set(key, value);
}
}
2.4 渲染性能优化
// 1. 使用虚拟滚动处理SKU列表
class VirtualScroll {
constructor(container, items, itemHeight) {
this.container = container;
this.items = items;
this.itemHeight = itemHeight;
this.visibleItems = [];
this.scrollTop = 0;
this.init();
}
init() {
this.container.style.height = ${this.items.length * this.itemHeight}px;
this.container.addEventListener('scroll', this.handleScroll.bind(this));
this.renderVisibleItems();
}
handleScroll() {
this.scrollTop = this.container.scrollTop;
this.renderVisibleItems();
}
renderVisibleItems() {
const startIndex = Math.floor(this.scrollTop / this.itemHeight);
const endIndex = startIndex + Math.ceil(this.container.clientHeight / this.itemHeight);
this.visibleItems = this.items.slice(startIndex, endIndex);
// 更新DOM
this.updateDOM(startIndex);
}
}
// 2. 使用requestAnimationFrame优化动画
function animatePriceChange(oldPrice, newPrice) {
const element = document.getElementById('price');
const duration = 500;
const startTime = Date.now();
function update() {
const elapsed = Date.now() - startTime;
const progress = Math.min(elapsed / duration, 1);
const currentPrice = oldPrice + (newPrice - oldPrice) * progress;
element.textContent = `¥${currentPrice.toFixed(2)}`;
if (progress < 1) {
requestAnimationFrame(update);
}
}
requestAnimationFrame(update);
}
架构优化
3.1 服务端渲染优化
// 使用Next.js优化SSR
export async function getServerSideProps(context) {
const { productId } = context.params;// 并行获取数据
const [product, reviews, recommendations] = await Promise.all([
fetchProduct(productId),
fetchReviews(productId),
fetchRecommendations(productId)
]);return {
props: {
product,
reviews: reviews.slice(0, 3), // 只传前3条评论
recommendations
}
};
}
// 使用getStaticProps缓存热门商品
export async function getStaticProps() {
const popularProducts = await fetchPopularProducts();
return {
props: { popularProducts },
revalidate: 3600 // 1小时重新生成
};
}
3.2 CDN和缓存策略
Nginx配置示例
location ~* .(jpg|jpeg|png|gif|ico|css|js)$ {
expires 1y;
add_header Cache-Control "public, immutable";
}
location /api/products/ {
proxy_cache products_cache;
proxy_cache_valid 200 10m;
proxy_cache_use_stale error timeout updating;
add_header X-Cache-Status $upstream_cache_status;
}
- 优化效果对比
4.1 性能指标对比
指标
优化前
优化后
提升幅度
首屏加载时间
8.2s
2.1s
74%
白屏时间
3.5s
0.8s
77%
可交互时间
6.8s
1.9s
72%
页面大小
4.7MB
1.2MB
74%
请求数量
89个
32个
64%
4.2 核心优化点总结
图片优化:WebP格式 + 懒加载 + 渐进式加载
脚本优化:异步加载 + 预加载 + 代码分割
数据加载:分片加载 + GraphQL + 缓存机制
渲染优化:虚拟滚动 + requestAnimationFrame
架构优化:SSR优化 + CDN缓存 + 静态生成
- 最佳实践总结
5.1 持续优化策略
性能监控:建立实时性能监控系统
A/B测试:对优化方案进行效果验证
渐进式优化:优先解决关键路径瓶颈
工具自动化:使用Webpack Bundle Analyzer等工具
5.2 技术选型建议
使用Next.js/Vue Nuxt进行服务端渲染
采用GraphQL减少API请求冗余
使用Workbox实现Service Worker缓存
部署CDN和边缘计算方案
5.3 团队协作要点
建立性能预算(如页面大小不超过1.5MB)
代码审查时加入性能检查项
定期进行性能回归测试
建立性能指标看板