Frontend Performance Optimization
Performance is a critical aspect of user experience. This guide covers key techniques and metrics for optimizing frontend applications.
Core Web Vitals
Core Web Vitals are a set of user-centric metrics that measure real-world user experience.
Largest Contentful Paint (LCP)
LCP measures loading performance – how quickly the largest content element becomes visible.
Good LCP Scores
- Good: ≤ 2.5 seconds
- Needs Improvement: 2.5 - 4.0 seconds
- Poor: > 4.0 seconds
Improving LCP
Optimize Server Response Time
- Use a CDN
- Implement caching
- Optimize backend code
- Use early hints (
103 Early Hints
)
Optimize Resource Loading
1
2
3
4
5<!-- Preload critical resources -->
<link rel="preload" href="/fonts/main.woff2" as="font" type="font/woff2" crossorigin>
<!-- Preconnect to required origins -->
<link rel="preconnect" href="https://cdn.example.com">Eliminate Render-Blocking Resources
1
2
3
4
5<!-- Defer non-critical JavaScript -->
<script src="/js/non-critical.js" defer></script>
<!-- Load non-critical CSS asynchronously -->
<link rel="preload" href="/css/non-critical.css" as="style" onload="this.onload=null;this.rel='stylesheet'">Optimize Images
1
2
3
4
5
6
7
8
9
10
11
12
13
14<!-- Use responsive images -->
<img
src="image-400w.jpg"
srcset="image-400w.jpg 400w, image-800w.jpg 800w, image-1200w.jpg 1200w"
sizes="(max-width: 600px) 400px, (max-width: 1200px) 800px, 1200px"
alt="Responsive image"
>
<!-- Use modern formats -->
<picture>
<source type="image/avif" srcset="image.avif">
<source type="image/webp" srcset="image.webp">
<img src="image.jpg" alt="Image description">
</picture>
First Input Delay (FID)
FID measures interactivity – how quickly a page responds to user interactions.
Good FID Scores
- Good: ≤ 100ms
- Needs Improvement: 100ms - 300ms
- Poor: > 300ms
Improving FID
Break Up Long Tasks
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25// Instead of one long task
function processAllItems(items) {
for (const item of items) {
processItem(item); // Potentially expensive operation
}
}
// Break into smaller chunks with scheduling
function processItemsInChunks(items, chunkSize = 50) {
let index = 0;
function processChunk() {
const limit = Math.min(index + chunkSize, items.length);
while (index < limit) {
processItem(items[index++]);
}
if (index < items.length) {
setTimeout(processChunk, 0); // Yield to browser
}
}
processChunk();
}Use Web Workers for Heavy Computation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17// main.js
const worker = new Worker('worker.js');
worker.addEventListener('message', (event) => {
// Handle result from the worker
displayResult(event.data);
});
// Send data to worker
worker.postMessage({ data: complexData });
// worker.js
self.addEventListener('message', (event) => {
// Perform heavy computation without blocking the main thread
const result = performComplexCalculation(event.data);
self.postMessage(result);
});Optimize JavaScript Execution
- Avoid unnecessary JavaScript
- Code-split and lazy load components
- Minimize unused polyfills
- Use modern JavaScript syntax (which typically compiles to smaller code)
Cumulative Layout Shift (CLS)
CLS measures visual stability – how much elements move around during page load.
Good CLS Scores
- Good: ≤ 0.1
- Needs Improvement: 0.1 - 0.25
- Poor: > 0.25
Improving CLS
Set Size Attributes on Media
1
2
3
4
5
6
7<!-- Always specify dimensions -->
<img src="image.jpg" width="640" height="360" alt="Image with dimensions">
<!-- Or use aspect ratio box -->
<div style="aspect-ratio: 16/9; width: 100%;">
<img src="image.jpg" style="width: 100%; height: 100%; object-fit: cover;">
</div>Reserve Space for Dynamic Content
1
2
3
4
5
6/* For ads, embeds, etc. */
.ad-container {
min-height: 250px; /* Known minimum height */
width: 100%;
background-color: #f1f1f1;
}Avoid Inserting Content Above Existing Content
1
2
3
4
5
6// Bad: Inserting a banner at the top after load
document.body.insertBefore(banner, document.body.firstChild);
// Better: Reserve the space or add at the bottom
const bannerContainer = document.getElementById('banner-container');
bannerContainer.appendChild(banner);Use CSS
content-visibility
for Long Pages1
2
3
4
5/* Skip rendering off-screen content */
.content-section {
content-visibility: auto;
contain-intrinsic-size: 0 500px; /* Estimate size */
}
Interaction to Next Paint (INP)
INP measures responsiveness – how quickly the page responds to all user interactions.
Good INP Scores
- Good: ≤ 200ms
- Needs Improvement: 200ms - 500ms
- Poor: > 500ms
Improving INP
Use Event Delegation
1
2
3
4
5
6
7
8
9
10
11// Instead of adding listeners to each button
document.querySelectorAll('.button').forEach(button => {
button.addEventListener('click', handleClick);
});
// Use event delegation
document.addEventListener('click', (event) => {
if (event.target.matches('.button')) {
handleClick(event);
}
});Debounce or Throttle Input Handlers
1
2
3
4
5
6
7
8
9
10
11
12
13
14function debounce(func, wait) {
let timeout;
return function(...args) {
clearTimeout(timeout);
timeout = setTimeout(() => func.apply(this, args), wait);
};
}
// Apply to expensive handlers
const debouncedSearchHandler = debounce((event) => {
searchAPI(event.target.value);
}, 300);
searchInput.addEventListener('input', debouncedSearchHandler);Use CSS for Animations When Possible
1
2
3
4
5
6
7
8/* Use CSS transitions instead of JavaScript */
.button {
transition: transform 0.2s ease-out;
}
.button:hover {
transform: scale(1.05);
}
Rendering Performance
Critical Rendering Path
- HTML Parsing
- CSS Object Model (CSSOM)
- Render Tree Construction
- Layout/Reflow
- Paint
- Compositing
Reducing Layout Thrashing
Layout thrashing occurs when JavaScript repeatedly reads and writes to the DOM, forcing multiple recalculations.
1 | // Bad: Interleaved reads and writes |
Using will-change
Property
1 | /* Hint to the browser that an element will change */ |
Using CSS Containment
1 | /* Isolate elements from rest of the document */ |
Layer Optimization
1 | /* Promote to a separate layer only when needed */ |
JavaScript Optimization
Bundle Optimization
Code Splitting
1 | // React code splitting with dynamic import |
Tree Shaking
1 | // Only used functions will be included in the final bundle |
Optimizing Critical JavaScript
1 | <!-- Inline critical JavaScript --> |
Memory Management
1 | // Remove event listeners when no longer needed |
Avoiding Memory Leaks
1 | // Bad: Unintended closure retains references |
Asset Optimization
Image Optimization
1 | <!-- Use modern formats --> |
Font Optimization
1 | <!-- Preload critical fonts --> |
CSS Optimization
1 | <!-- Critical CSS inlined --> |
Framework-Specific Optimizations
React
1 | // Use React.memo for expensive components |
Vue
1 | <template> |
Angular
1 | // Use OnPush change detection |
Network Optimization
Caching Strategies
1 | // Service Worker with Workbox |
Resource Hints
1 | <!-- Prefetch likely next page --> |
Compression
1 | // Server-side compression (Node.js example with Express) |
Performance Monitoring
Lighthouse
1 | # Install Lighthouse CLI |
Web Vitals Library
1 | import { getCLS, getFID, getLCP, getFCP, getTTFB } from 'web-vitals'; |
Performance API
1 | // Measure custom metrics |
Tooling for Performance
Webpack Optimization
1 | // webpack.config.js |
Babel Optimization
1 | // babel.config.js |
PostCSS Optimization
1 | // postcss.config.js |
Testing Environment Performance
Simulating Network Conditions
1 | // Puppeteer example |
User-Centric Performance Testing
1 | // Capturing Core Web Vitals with Puppeteer |
Performance Checklist
- Optimize Core Web Vitals (LCP, FID, CLS, INP)
- Minimize JavaScript bundle size
- Remove unused CSS and JavaScript
- Optimize images (format, size, compression)
- Implement proper caching strategy
- Use resource hints (preload, prefetch, preconnect)
- Implement code splitting and lazy loading
- Optimize fonts (preload, font-display)
- Minimize third-party impact
- Avoid layout thrashing
- Implement critical CSS
- Defer non-critical JavaScript
- Optimize for mobile devices
- Set up performance monitoring
- Use service workers for offline capability
- Implement server-side rendering or static generation where appropriate
- Optimize server response time
- Use HTTP/2 or HTTP/3
Learning Resources
- Web Vitals - Google’s essential metrics for a healthy site
- MDN Web Performance
- Lighthouse Performance Scoring
- High Performance Web Sites by Steve Souders
- Web Performance in Action by Jeremy Wagner
- Performance Calendar - Annual web performance articles
- WebPageTest - Advanced website performance testing
Performance optimization is an ongoing process, not a one-time task. Regular monitoring, testing, and refining are essential to maintain and improve your application’s performance over time.