Presentational components handle only the UI, while container components manage the logic and data.
// Presentational (Dumb) Componentconst UserCard = ({ name, email, avatar }) => (
<div className="card">
<img src={avatar} alt={name} />
<h3>{name}</h3>
<p>{email}</p>
</div>
);
// Container (Smart) Component
const UserContainer = () => {
const [user, setUser] = useState(null);
useEffect(() => {
fetchUser().then(data => setUser(data));
}, []);
return user ? <UserCard {...user} /> : <LoadingSpinner />;
};
HOCs are functions that take a component and return a new component with additional functionality.
const withLogger = (WrappedComponent) => {
return (props) => {
useEffect(() => {
console.log('Component mounted:', WrappedComponent.name);
return () => console.log('Component unmounted:', WrappedComponent.name);
}, []);
return <WrappedComponent {...props} />;
};
};
Custom Hooks allow you to reuse logic by encapsulating it into a function, making the code cleaner and easier to maintain.
const useFetch = (url) => {
const [data, setData] = useState(null);
const [loading, setLoading] = useState(true);
useEffect(() => {
fetch(url)
.then(res => res.json())
.then(data => {
setData(data);
setLoading(false);
});
}, [url]);
return { data, loading };
};
const CartContext = createContext();
const cartReducer = (state, action) => {
switch (action.type) {
case 'ADD_ITEM':
return [...state, action.payload];
// ... other cases
}
};
const CartProvider = ({ children }) => {
const [cart, dispatch] = useReducer(cartReducer, []);
return (
<CartContext.Provider value={{ cart, dispatch }}>
{children}
</CartContext.Provider>
);
};
import { createMachine } from 'xstate';
const toggleMachine = createMachine({
id: 'toggle',
initial: 'inactive',
states: {
inactive: { on: { TOGGLE: 'active' } },
active: { on: { TOGGLE: 'inactive' } }
}
});
<MouseTracker>
{({ x, y }) => (
<p>Mouse position: {x}, {y}</p>
)}
</MouseTracker>
const Tabs = ({ children }) => {
const [activeIndex, setActiveIndex] = useState(0);
return Children.map(children, (child, index) =>
cloneElement(child, {
isActive: index === activeIndex,
onSelect: () => setActiveIndex(index)
})
);
};
const Tab = ({ isActive, onSelect, children }) => (
<button onClick={onSelect} className={isActive ? 'active' : ''}>
{children}
</button>
);
const ExpensiveComponent = React.memo(({ data }) => {
// Component logic
});
const memoizedValue = useMemo(() => computeExpensiveValue(a, b), [a, b]);
const memoizedCallback = useCallback(() => doSomething(a, b), [a, b]);
import { FixedSizeList as List } from 'react-window';
const Row = ({ index, style }) => (
<div style={style}>Row {index}</div>
);
<List
height={400}
width={300}
itemCount={1000}
itemSize={35}
>
{Row}
</List>