TypeScript Patterns You Should Know for React Development
TypeScript and React are like peanut butter and jelly—a perfect combination that makes development smoother, safer, and more fun! If you're a React developer looking to level up your TypeScript skills, you’re in the right place. Let's dive into some must-know TypeScript patterns that will make your React code more readable, maintainable, and bug-free. 1. Strictly Typed Props with Type Aliases & Interfaces Ever found yourself debugging a "props undefined" error? Say goodbye to those headaches! TypeScript allows us to define strict types for props, making our components more predictable. interface ButtonProps { label: string; onClick: () => void; } const Button: React.FC = ({ label, onClick }) => { return {label}; }; ✨ Why use this pattern? Ensures props are passed correctly. Autocomplete helps speed up development. Prevents runtime errors before they happen. 2. Union Types for Conditional Props Sometimes, components have variations. Instead of making everything optional (which can be a mess!), use union types to create clear prop variations. type CardProps = | { type: 'image'; imageUrl: string; title: string } | { type: 'text'; content: string }; const Card: React.FC = (props) => { if (props.type === 'image') { return ; } return {props.content}; }; ✨ Why use this pattern? Makes it impossible to pass incorrect props. Eliminates unnecessary optional fields. Improves clarity and maintainability. 3. Using Generics for Flexible Components Want a reusable component that works with different data types? Generics to the rescue! They allow you to keep your types dynamic yet strict. type ListProps = { items: T[]; renderItem: (item: T) => JSX.Element; }; const List = ({ items, renderItem }: ListProps) => { return {items.map(renderItem)}; }; const users = [ { id: 1, name: 'Alice' }, { id: 2, name: 'Bob' }, ]; {user.name}} />; ✨ Why use this pattern? Increases reusability without sacrificing type safety. Works for any data type. Keeps components flexible yet predictable. 4. Discriminated Unions for Better State Management Handling multiple states in a component? Instead of juggling multiple boolean flags, use a discriminated union for cleaner state management. type FetchState = | { status: 'idle' } | { status: 'loading' } | { status: 'success'; data: string } | { status: 'error'; error: string }; const MyComponent = () => { const [state, setState] = React.useState({ status: 'idle' }); if (state.status === 'loading') return Loading...; if (state.status === 'error') return Error: {state.error}; if (state.status === 'success') return Data: {state.data}; return setState({ status: 'loading' })}>Fetch Data; }; ✨ Why use this pattern? Removes the need for multiple boolean states. Guarantees all possible states are handled. Improves code clarity and debugging. 5. Type-Safe Context API Using React Context? Make it type-safe to avoid unnecessary any usage. type Theme = 'light' | 'dark'; interface ThemeContextProps { theme: Theme; toggleTheme: () => void; } const ThemeContext = React.createContext(undefined); const ThemeProvider: React.FC = ({ children }) => { const [theme, setTheme] = React.useState('light'); const toggleTheme = () => setTheme((prev) => (prev === 'light' ? 'dark' : 'light')); return ( {children} ); }; ✨ Why use this pattern? Prevents undefined errors when accessing context. Provides strong typing for consumers. Improves developer experience with autocomplete.

TypeScript and React are like peanut butter and jelly—a perfect combination that makes development smoother, safer, and more fun! If you're a React developer looking to level up your TypeScript skills, you’re in the right place. Let's dive into some must-know TypeScript patterns that will make your React code more readable, maintainable, and bug-free.
1. Strictly Typed Props with Type Aliases & Interfaces
Ever found yourself debugging a "props undefined" error? Say goodbye to those headaches! TypeScript allows us to define strict types for props, making our components more predictable.
interface ButtonProps {
label: string;
onClick: () => void;
}
const Button: React.FC<ButtonProps> = ({ label, onClick }) => {
return <button onClick={onClick}>{label}button>;
};
✨ Why use this pattern?
- Ensures props are passed correctly.
- Autocomplete helps speed up development.
- Prevents runtime errors before they happen.
2. Union Types for Conditional Props
Sometimes, components have variations. Instead of making everything optional (which can be a mess!), use union types to create clear prop variations.
type CardProps =
| { type: 'image'; imageUrl: string; title: string }
| { type: 'text'; content: string };
const Card: React.FC<CardProps> = (props) => {
if (props.type === 'image') {
return <img src={props.imageUrl} alt={props.title} />;
}
return <p>{props.content}p>;
};
✨ Why use this pattern?
- Makes it impossible to pass incorrect props.
- Eliminates unnecessary optional fields.
- Improves clarity and maintainability.
3. Using Generics for Flexible Components
Want a reusable component that works with different data types? Generics to the rescue! They allow you to keep your types dynamic yet strict.
type ListProps<T> = {
items: T[];
renderItem: (item: T) => JSX.Element;
};
const List = <T,>({ items, renderItem }: ListProps<T>) => {
return <ul>{items.map(renderItem)}ul>;
};
const users = [
{ id: 1, name: 'Alice' },
{ id: 2, name: 'Bob' },
];
<List
items={users}
renderItem={(user) => <li key={user.id}>{user.name}li>}
/>;
✨ Why use this pattern?
- Increases reusability without sacrificing type safety.
- Works for any data type.
- Keeps components flexible yet predictable.
4. Discriminated Unions for Better State Management
Handling multiple states in a component? Instead of juggling multiple boolean flags, use a discriminated union for cleaner state management.
type FetchState =
| { status: 'idle' }
| { status: 'loading' }
| { status: 'success'; data: string }
| { status: 'error'; error: string };
const MyComponent = () => {
const [state, setState] = React.useState<FetchState>({ status: 'idle' });
if (state.status === 'loading') return <p>Loading...p>;
if (state.status === 'error') return <p>Error: {state.error}p>;
if (state.status === 'success') return <p>Data: {state.data}p>;
return <button onClick={() => setState({ status: 'loading' })}>Fetch Databutton>;
};
✨ Why use this pattern?
- Removes the need for multiple boolean states.
- Guarantees all possible states are handled.
- Improves code clarity and debugging.
5. Type-Safe Context API
Using React Context? Make it type-safe to avoid unnecessary any
usage.
type Theme = 'light' | 'dark';
interface ThemeContextProps {
theme: Theme;
toggleTheme: () => void;
}
const ThemeContext = React.createContext<ThemeContextProps | undefined>(undefined);
const ThemeProvider: React.FC<{ children: React.ReactNode }> = ({ children }) => {
const [theme, setTheme] = React.useState<Theme>('light');
const toggleTheme = () => setTheme((prev) => (prev === 'light' ? 'dark' : 'light'));
return (
<ThemeContext.Provider value={{ theme, toggleTheme }}>
{children}
ThemeContext.Provider>
);
};
✨ Why use this pattern?
- Prevents
undefined
errors when accessing context. - Provides strong typing for consumers.
- Improves developer experience with autocomplete.