Performance optimization in React applications is crucial for providing excellent user experience. With React 18's new features and improved patterns, we have more tools than ever to build lightning-fast applications.
1. React 18 Concurrent Features
React 18 introduces concurrent rendering, which allows React to interrupt rendering work to handle more urgent tasks.
Automatic Batching
// React 18 automatically batches these updates
function handleClick() {
  setCount(c => c + 1);
  setFlag(f => !f);
  // Only triggers one re-render
}startTransition for Non-Urgent Updates
import { startTransition } from 'react';
function handleInputChange(value) {
  setInputValue(value); // Urgent update
  
  startTransition(() => {
    setSearchResults(search(value)); // Non-urgent update
  });
}2. Suspense for Data Fetching
Use Suspense to handle loading states more elegantly and enable concurrent features.
function App() {
  return (
    <Suspense fallback={<LoadingSpinner />}>
      <UserProfile />
      <UserPosts />
    </Suspense>
  );
}3. useMemo and useCallback Optimization
Prevent unnecessary re-computations and re-renders with proper memoization.
// useMemo for expensive calculations
const expensiveValue = useMemo(() => {
  return computeExpensiveValue(data);
}, [data]);
// useCallback for event handlers
const handleClick = useCallback((id) => {
  setSelectedItem(id);
}, []);4. React.memo for Component Memoization
const ExpensiveComponent = React.memo(({ data, onUpdate }) => {
  return (
    <div>
      {/* Complex rendering logic */}
    </div>
  );
}, (prevProps, nextProps) => {
  // Custom comparison function
  return prevProps.data.id === nextProps.data.id;
});5. Code Splitting with React.lazy
Split your bundles to reduce initial load time.
const LazyComponent = React.lazy(() => import('./LazyComponent'));
function App() {
  return (
    <Suspense fallback={<div>Loading...</div>}>
      <LazyComponent />
    </Suspense>
  );
}6. Virtual Scrolling for Large Lists
For large datasets, implement virtual scrolling to render only visible items.
import { FixedSizeList as List } from 'react-window';
const Row = ({ index, style }) => (
  <div style={style}>
    Item {index}
  </div>
);
const VirtualList = () => (
  <List
    height={600}
    itemCount={10000}
    itemSize={35}
  >
    {Row}
  </List>
);Performance Monitoring Tools
- React DevTools Profiler: Identify performance bottlenecks
- Web Vitals: Measure real-world performance metrics
- Lighthouse: Audit overall application performance
- Bundle Analyzer: Optimize bundle size
Key Takeaways
Remember that premature optimization can be counterproductive. Profile your application first, identify real bottlenecks, then apply these optimization techniques where they make the most impact.