Client Flashcards

1
Q

Array Methods - map, filter, reduce, forEach, find

A

map() → Returns a new array.
filter() → Filters based on condition.
reduce() → Accumulates values.
forEach() → Iterates but doesn’t return a new array.
find() → Returns first matching element.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

Arrow Functions

A

Concise syntax, inherits this. from outer scope, not for constructor
Cleaner and concise syntax for functions.
Does not bind its own this – inherits from the enclosing scope.
Arrow functions cannot be used as constructors.
Be cautious with this inside arrow functions (especially in React event handlers).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

Avoiding Unnecessary Context Re-renders

A

Purpose: Minimize re-renders of components consuming context values.
When to Use:
When you’re using React context for global state and you want to avoid re-renders of components that don’t need the updated context.
You can wrap individual components with useContextSelector (from third-party libraries) to select a smaller part of the context.
When It Becomes Overkill:
For simple context values that don’t trigger many re-renders.
Using too many context values or deeply nested context can actually hurt performance.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

Best practices while designing states

A

Use state only when data changes over time. Else use const or props. Derive rest from state or props. Avoid derived state to avoid redundancy.
Minimal State : Less state → Fewer bugs
Group Related State : Easier updates
Separate unrelated state to avoid unnecessary re-renders. Avoid Deep Nesting : Flatten state when possible. Minimize state objects or use primitives when possible.

Functional Updates : Avoid stale state issues
Lazy Initialization : Initial calculation only once
Local State vs Lifted State : Simplifies structure

Controlled Inputs : Form inputs synced with state, Predictable input handling

Performance for Large Lists : Store IDs, use virtualization, Avoid unnecessary re-renders

Separate UI & Server State : Loading/Error separate from data, Improves readability & avoids mixing concerns

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

Can custom hooks return JSX?

A

No, Custom hooks should return state, functions, or data – not JSX. If you return JSX, it’s a component, not a hook.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

Can useCallback cause stale state issues?

A

Yes, if state is used inside the callback, and it’s not part of the dependencies.
Example (WRONG):

const [count, setCount] = useState(0);
const increment = useCallback(() => {
  setCount(count + 1); // Using stale `count`
}, []);

The callback captures count = 0 forever due to empty dependency array.
Correct Version:

const increment = useCallback(() => {
  setCount((prevCount) => prevCount + 1);
}, []);

Always use functional updates inside setState when state is part of a memoized callback.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

Can useCallback work with async functions?

A

Yes, but the async function is still re-created on dependency changes.
Example:

const fetchData = useCallback(async () => {
  const data = await fetch('/api');
  console.log(data);
}, []);

No special behavior for async – still a function reference.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

Can useContext cause performance issues?

A

Yes, if large components depend on context values that change frequently.
Re-renders every consumer when context value changes, even if only part of the context is used.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

Can useContext lead to stale state issues?

A

Rarely, because context re-renders the consumer when the value changes.
But if context value includes state, and you destructure it wrong, you can introduce stale state.

const { user } = useContext(UserContext);

If user changes but you cached it elsewhere, stale data issues may occur.
Always consume context values directly inside the component render scope.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

Can useContext replace state management libraries like Redux?

A

For small apps, yes.
For large apps with complex state and performance concerns, Context alone can become problematic.
Context doesn’t solve state management complexity – it only avoids prop drilling.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

Can useMemo memoize a component?

A

No, useMemo memoizes values, not React components.
For memoizing components, use React.memo instead.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

Can useMemo result in a stale value problem?

A

Yes, if dependencies are incorrect or missing, you may get stale values.
Ensure all dependencies are specified accurately in the dependency array.
Example (WRONG):

const filteredList = useMemo(() => filterList(list), []);

If list changes, this memoized value won’t update, causing stale state.
Correct:
~~~
const filteredList = useMemo(() => filterList(list), [list]);
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

Can useMemo return a function?

A

Yes, but useCallback is preferred when memoizing functions.
useMemo is for values, useCallback is for functions.
Example:

const memoizedFunction = useMemo(() => () => doSomething(), []);

Better:
~~~
const memoizedFunction = useCallback(() => doSomething(), []);
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

Can you compare performance implications of using useState vs. useReducer in large applications?

A

Multiple state updates → Multiple re-renders.
Tightly coupled state variables can cause redundant updates.
Difficult to maintain when state dependencies increase.

Multiple state variables can cause many re-renders when updated independently. Single state object → one re-render per dispatch.
Complex State Updates Updating nested or dependent state can lead to stale state issues. Reducer centralizes logic, improving consistency.
Function Identity Inline setState functions may change frequently, causing unnecessary re-renders in children. dispatch is stable across renders, minimizing re-renders.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

Can you convert an uncontrolled component to a controlled component?

A

Yes, initialize state with ref.current.value, then control it.

const inputRef = useRef();
const [value, setValue] = useState('');

useEffect(() => {
  setValue(inputRef.current.value);
}, []);

<input ref={inputRef} value={value} onChange={(e) => setValue(e.target.value)} />

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

Can you explain useContext with an example? When is it preferred over passing props?

A

useContext accesses the value from React Context:

const UserContext = createContext();
const user = useContext(UserContext);

Preferred over props when:
Deep component trees → Avoid prop drilling.
Global state (e.g., theme, authentication).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
17
Q

Can you optimize performance with useReducer()?

A

Memoize the reducer (if heavy).
Memoize context values if using with Context.
Avoid re-creating action objects inside render
Split state into smaller reducers if it’s too complex.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
18
Q

Can you replace Redux with useReducer()?

A

For small to medium apps, useReducer() + Context can replace Redux. Redux is better for:

Large-scale apps.
Middleware support (e.g., for side effects).
DevTools debugging.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
19
Q

Can you think of a scenario where Virtual DOM might not provide a performance benefit?

A

Small Static UI: Minimal DOM updates → Overhead of diffing Virtual DOM is unnecessary.
Canvas / WebGL: Graphics handled outside DOM → React overhead adds no value.
Frequent Animations (e.g., charts): Constant re-renders → Virtual DOM diffing can become a bottleneck.
Takeaway: Heavy animations → React not always best.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

Can you use useReducer() with Context API?

A

Yes, useReducer() is often combined with Context API to manage global state.

const StateContext = createContext();
const DispatchContext = createContext();

Provides state and dispatch globally.
Better than prop drilling.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
21
Q

Class vs Function Components

A

boilerplate, performance, memory weight, testing, reusability

Functional : Cleaner, less boilerplate. Potentially better (React optimizes function components with hooks, React.memo, Lighter without lifecycle machinery, Easier to test (pure functions), Hooks like useCustomHook() promote reuse
Class : Verbose with this binding, Slightly slower (more complex reconciliation in class), More memory overhead due to class instances, Harder to test due to this and lifecycle methods, Requires HOCs or render props for reuse

Class when legacy or needs complex lifeclycle ComponentDidMount

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
22
Q

Closures

A

A function “remembers” the variables from its outer scope function even after the outer function has finished executing.

When a function is created inside another function, it has access to the outer function’s variables. If the inner function is returned or passed outside the outer function, it still retains access to those variables even after the outer function finishes execution.

function Counter() {
  const [count, setCount] = React.useState(0);

  function increment() {
    setCount(count + 1);
  }

  return <button onClick={increment}>Count: {count}</button>;
}

Here, increment() closes over count. It remembers count even when the component re-renders.

Without closures, increment() would lose access to count.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
23
Q

Closures and React

A

State updates in React often use closures to remember previous values (e.g., in setState or useState).
Event handlers and callbacks (like those in useEffect) are closures that allow functions to remember state, props, or other values even after the component has re-rendered.
Optimization hooks like useCallback leverage closures to memoize functions and avoid unnecessary re-renders.
Closures allow React to manage private state and encapsulate logic within components, which leads to more modular and maintainable code.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
24
Q

Code Splitting (using React.lazy and Suspense)

A

Purpose: Break down your app into smaller bundles, so users only download what’s needed for the current page or component, reducing initial load time.
When to Use:
For large applications with multiple routes, where loading everything upfront would be inefficient.
When you have components or features that are not immediately needed (e.g., modal, settings page).
When It Becomes Overkill:
For small apps or apps where most components are always required immediately.
For small, fast-loading components, splitting them may cause more overhead than the benefit.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Q

Can we have a function without a return inside App.js?

A

Yes, a function without a return statement is possible.

In that case, your component will not render anything in UI.

The common use case is for logging purpose.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
26
Q

Difference between DOM and HTML

A

HTML is a mark up language to structure/blueprint a web page. It is static text file and can’t change by itself.

DOM (Document Object Model) is programming interface that represents structure of HTML as tree of objects in-memory. Elements, attributes, texts are objects/nodes. JS can access, traverse and modify it dynamically

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
27
Q

Critical aspects of useState

A

useState preserves state between re-renders. It resets only when the component unmounts and re-mounts or when the key (in lists) changes.

Updating state inside the render phase creates an infinite loop. Instead, use an event handler or useEffect when necessary

Lazy Initialization : Initial value is set only on first render. It is ignored on re-renders which means a function call in useState is run every render but ignored. Hence use a callback for expensive calculations

const [value, setValue] = useState(() => computeExpensiveValue());

setState is asynchronous. Accessing state immediately after will give old value.

setCount(count + 1);
setCount(count + 1);

count won’t update immediately
~~~
setState(prev => prev + 1)
~~~

State should be immutable. Don’t mutate. Replace state because it does not merge like class component. Primitives replace, objects/arrays need spreading

setUser({ name: 'John' }); // This replaces the entire user object.
setUser(prev => ({...prev, name: 'John'}))
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
28
Q

Debouncing or Throttling (for Input/Scroll Events)

A

Purpose: Limit the number of times an event handler (like typing, scrolling) is triggered to avoid unnecessary re-renders or function executions.
When to Use:
For handling user input or scrolling events where rapid updates can lead to performance issues.
For search input, window resizing, or scrolling where you don’t need to react to every change immediately.
When It Becomes Overkill:
For events that don’t trigger performance issues, or for cases where you need the response to be as immediate as possible.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
29
Q

index.html, index.js, index.css, App.js, reactDOM

A

index.html: Single page for React application.

App.js: Root component or container for other components. Defines the structure, layout, and routing in the application.

Index.css(Optional): This is a global CSS file that serves as the main stylesheet for the entire application.

index.js: Entry point for JavaScript. Renders the main React component (App) into the root DOM element.

ReactDOM is a JavaScript library that renders components to the DOM or browser.

NPM(Node Package Manager) is used to manage the dependencies for your React project, including the React library itself.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
30
Q

Declarative vs Imperative

A

Imperative syntax involves step by step process to achieve a particular goal.
vanilla JavaScript, jQuery has an imperative syntax.

Declarative syntax focuses on describing the desired result without specifying the step-by-step process.
JSX in React is used to write declarative syntax.

Tell the browser HOW to update the DOM. Describe WHAT the UI should look like based on state. React updates it.
✅ Less prone to bugs as React handles state synchronization.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
31
Q

Do functional components suffer from “stale state” issues?

A

Stale state happens when closures capture outdated state values in asynchronous code

State values are captured at the time of rendering.

In functional components, the entire function re-executes on every render.
JavaScript closures capture variables (like state) from from the render where they were created (function is executed).
If you create an event handler or setTimeout callback inside a render, it captures the state from that specific render cycle.
When the callback executes later, it still references the state from that render, not the updated state from newer renders.

Functional State Update (Recommended) – Gets the latest state:
setCount(prevCount => prevCount + 1);

useRef (For Non-Reactive Values) – Tracks the latest value without re-rendering:
~~~
const countRef = useRef(0);
useEffect(() => {
countRef.current = count;
}, [count]);
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
32
Q

Does useCallback prevent the function from re-running?

A

No, it only memoizes the function’s reference.
It does not prevent the logic inside the function from executing when called.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
33
Q

Does useCallback work with event handlers like onClick?

A

Yes, it is common to use useCallback for event handlers passed to child components.
But avoid it for simple event handlers that don’t depend on props/state because the cost of useCallback can outweigh its benefit.
Example (OK):

const handleClick = useCallback(() => {
  console.log('Clicked');
}, []);

Example (Unnecessary):

<button onClick={() => console.log('Clicked')}>Click</button>

No need for useCallback if the event handler is inline and simple.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
34
Q

Does useContext trigger a re-render if the context value doesn’t change?

A

No re-render if the context value is the same (reference equality).
Re-render if the value is a new object/array on every render (even if logically identical).
Example (Bad):

<ThemeContext.Provider value={{ mode: 'dark' }}> // New object every render

Fix with useMemo:

const value = useMemo(() => ({ mode: 'dark' }), []);
<ThemeContext.Provider value={value}>
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
35
Q

Does useMemo prevent re-renders of components?

A

No, useMemo does not prevent re-renders directly.
It only memoizes a value; to prevent component re-renders, you need React.memo.
Example:
~~~
const ChildComponent = React.memo(({ value }) => {
console.log(‘Child Rendered’);
return <div>{value}</div>;
});
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
36
Q

Ensuring React Component Render is a Pure Function

A

Same inputs → same output.
No side-effects (e.g., no setting state, no data fetching, no logging, no timers inside render).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
37
Q

Explain useMemo and useCallback. How do they improve performance, and when should you avoid them?

A

useMemo Memoizes a value to avoid expensive recalculations.
useMemo(() => expensiveComputation(a, b), [a, b])
useCallback Memoizes a function to avoid creating a new function on every render.
useCallback(() => doSomething(), [dependency])

Improves Performance:
* Avoid unnecessary recalculations.
* Prevent child components from re-rendering when receiving function props.

When to Avoid:
* Premature optimization.
* Use only when expensive calculations/functions are involved.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
38
Q

How Can You Handle Multiple Input Fields in a Controlled Form?

A

Use an object state with dynamic keys:

const [formData, setFormData] = useState({ name: '', email: '' });

const handleChange = (e) => {
  const { name, value } = e.target;
  setFormData({ ...formData, [name]: value });
};

<input name="name" value={formData.name} onChange={handleChange} />
<input name="email" value={formData.email} onChange={handleChange} />

Key Idea:
[e.target.name]: value dynamically updates state based on input name.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
39
Q

How can you measure Virtual DOM performance?

A

React DevTools Profiler identifies slow renders and helps optimize Virtual DOM usage.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
40
Q

How can you optimize context consumption for performance?

A

Split Contexts:
Separate unrelated state into different contexts.
Example: UserContext, ThemeContext, ModalContext.
Selective Context Usage:
If only part of a state is needed, split that state into smaller contexts.
Memoize Provider Values:
~~~
const value = useMemo(() => ({ user, updateUser }), [user]);
<UserContext.Provider value={value}>
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
41
Q

How do useMemo and useCallback differ?

A

useMemo useCallback
Returns a memoized value. Returns a memoized function.
Used for expensive calculations. Used when passing stable callbacks to children.
useMemo(() => compute(), [deps]) useCallback(() => handleClick(), [deps])

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
42
Q

How do you handle a situation where a child needs to update data from props?

A

Lift the state up to the parent and pass a callback function as a prop to the child. The child invokes the callback to request a state update from the parent.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
43
Q

How do you handle form inputs in React?

A

Prefer using controlled inputs. This means the input field’s value is controlled by React state. I bind the input’s value to state and update state using onChange. This ensures that React is the single source of truth.

const [name, setName] = useState('');
<input value={name} onChange={(e) => setName(e.target.value)} />

This approach makes input behavior predictable and is especially useful for form validation, resetting inputs, or conditional logic.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
44
Q

How Do You Handle Form Validation in a Controlled Component?

A
const [email, setEmail] = useState('');
const [error, setError] = useState('');

const validateEmail = (e) => {
  const value = e.target.value;
  setEmail(value);
  setError(value.includes('@') ? '' : 'Invalid email');
};

<input value={email} onChange={validateEmail} />
{error && <p>{error}</p>}

Key Concept: Validate on every onChange → State-based validation.
Or, validate on submit: Validate all fields before submission.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
45
Q

How do you handle side effects like API calls inside useReducer()?

A

useReducer() itself is synchronous and doesn’t handle side effects.
To handle side effects (like API calls):

Use useEffect() in combination with dispatch actions.

dispatch() is synchronous.
However, React may batch updates asynchronously in some cases.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
46
Q

How do you manage API data fetching in React?

A

I always separate 3 states when fetching data:

Data (e.g., orders) – Holds API response.
Loading – Boolean to indicate API is in progress.
Error – Holds error message (if any).

This avoids mixing concerns. If I use data as null to mean loading, it becomes hard to read and extend later.

Fetched in useEffect hook

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
47
Q

How do you manage dependencies in useCallback?

A

List all external state/props that the callback depends on.
If unsure, include everything – React will warn you about missing dependencies.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
48
Q

How do you optimize performance when rendering large datasets in React?

A

When working with large datasets like 10,000+ orders, rendering everything can crash the browser. So, I use two key techniques:

Store only IDs in state instead of entire objects for selection:
const [selectedIds, setSelectedIds] = useState([]);
This keeps state lightweight and prevents unnecessary re-renders.

Virtualization (e.g., react-window):
It renders only the items visible on the screen. Instead of rendering 10,000 rows, it renders maybe 10 rows at a time.
import { FixedSizeList as List } from 'react-window';
This improves performance drastically for large lists.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
49
Q

How do you reset a controlled form after submission?

A
const [formData, setFormData] = useState({ name: '', email: '' });

const handleSubmit = (e) => {
  e.preventDefault();
  console.log(formData);
  setFormData({ name: '', email: '' }); // Reset state
};
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
50
Q

How does dispatch differ from setState in terms of stability across renders?

A

setState can be inline (e.g., in event handlers), and its function identity may change across renders if not wrapped in useCallback.
dispatch from useReducer is always stable — does not change across renders.
This stability prevents unnecessary re-renders in child components relying on dispatch.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
51
Q

How does React batch state updates with hooks? When does it not batch?

A

React batches multiple state updates inside event handlers:

const handleClick = () => {
  setCount(count + 1);
  setName('John');
  // React batches these updates into a single render
};

React does NOT batch updates inside async operations like setTimeout:

setTimeout(() => {
  setCount(count + 1);
  setName('John');
  // This causes two separate re-renders before React 18
}, 1000);

React 18+ Automatic Batching:
Even async updates are batched by default.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
52
Q

How does React Hook Form optimize performance for forms?

A

Uncontrolled inputs with ref internally.
Tracks only fields that change.
Avoids re-rendering the entire form on every keystroke.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
53
Q

How does react optimize rendering

A

○ Async Rendering: React uses a technique called asynchronous rendering for smoother user experiences, enabling large apps to remain responsive.
○ Concurrent Mode: React’s concurrent rendering capabilities allow React to prioritize updates that are more important (e.g., user interactions) over less critical updates (e.g., network responses).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
54
Q

How does useContext work internally?

A

Reads the nearest Provider’s value for the context.
Reacts to changes: If the value inside Provider changes, all consumers (using useContext) re-render.
Context lookup happens during render phase.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
55
Q

How does useEffect work? How is it different from lifecycle methods like componentDidMount in class components?

A

useEffect() is a React Hook that handles side effects in functional components.

Side effects = Any logic that interacts with the outside world or is not directly related to rendering:

Fetching data (API calls).
Updating the DOM (e.g., title, event listeners).
Subscriptions (e.g., WebSockets, timers).

Before hooks, lifecycle methods like componentDidMount(), componentDidUpdate(), and componentWillUnmount() were used.
useEffect() combines all these into one function inside functional components.

[] : componentDidMount
[dependency] : componentDidUpdate
return : componentWillUnmount

Class Components: Lifecycle methods are scattered across the component.
Functional Components: useEffect combines them in one place (setup + cleanup).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
56
Q

How does useMemo improve performance?

A

Avoids recalculations: Skips recalculating expensive values on every render.
Reduces re-renders: Helps prevent child components from unnecessary re-rendering when memoized values (e.g., objects) are passed as props.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
57
Q

Explain state update in React

A

Same synchronous event → State updates are batched → Single re-render.
Async code (e.g., setTimeout) → No batching → Multiple re-renders.

useState() is a React Hook that adds state to functional components. It gives an array. state → Holds the current state value.
setState() → Updates state and triggers a re-render.

Initial Value Set once when the component is first rendered.
Every state update causes a re-render.
React remembers state between renders.
Each render gets its own snapshot of state.
When setState() is called:
State is updated.
Component re-renders.
Updated state value is used in the next render.

Batching (React 18) Multiple state updates in event handlers are batched into one re-render for efficiency.
Functional Updates Use a function inside setState() when new state depends on previous state.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
58
Q

How hooks relate to Virtual DOM

A

Hooks trigger renders (except useRef).
Every render = New Virtual DOM tree.
Diffing compares Virtual DOM trees.
Minimal changes update the Real DOM.
Effects (useEffect) run AFTER Virtual DOM has updated the Real DOM.

Too many state updates → Too many Virtual DOM calculations.
React.memo + useCallback → Reduce child re-renders.
useMemo → Avoid costly calculations inside Virtual DOM creation.
useEffect → Outside Virtual DOM; Side-effects only.
useRef → Bypass reactivity, manipulate DOM without Virtual DOM concerns.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
59
Q

How to handle 404 Page Not Found in React Router?

A

Use a * path:
~~~
<Route path=”*” element={<NotFound></NotFound>} />
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
60
Q

How to Handle Forms in React?

A

Track each field using useState:

const [name, setName] = useState('');
const handleSubmit = (e) => {
  e.preventDefault();
  console.log(name);
};

Handle Submission:
~~~
<form onSubmit={handleSubmit}>
<input value={name} onChange={(e) => setName(e.target.value)} />
<button>Submit</button>
</form>
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
61
Q

How to Implement Routing in React?

A

Install React Router:
~~~
npm install react-router-dom
~~~

Set Up Router in App.js:

import { BrowserRouter as Router, Routes, Route } from 'react-router-dom';
import Home from './Home';
import About from './About';

function App() {
  return (
    <Router>
      <Routes>
        <Route path="/" element={<Home />} />
        <Route path="/about" element={<About />} />
      </Routes>
    </Router>
  );
}

Navigate Between Pages:
~~~
import { Link } from ‘react-router-dom’;

function Navbar() {
return (
<nav>
<link></link>Home</Link>
<link></link>About</Link>
</nav>
);
}
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
62
Q

How to prevent unnecessary re-renders?

A

useMemo → Memoize expensive values.
useCallback → Memoize functions.
React.memo() → Prevent child re-renders if props don’t change.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
63
Q

How to Protect Routes (Authentication)?

A

Custom component like ProtectedRoute checking isAuthenticated.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
64
Q

How Virtual DOM Works, Reconciliation

A

Every time state or props change, React re-renders the component.
React creates a new Virtual DOM tree based on the updated state/props.
React compares the new Virtual DOM with the previous Virtual DOM using a process called Diffing (or Reconciliation)
Finds minimal changes and batch update the real DOM efficiently

➡️ Diffing Algorithm:

O(n) complexity using key optimizations
Compares only the element type and key, no deep comparison

Key Optimizations:
React uses a heuristic approach where it only compares nodes of the same type (e.g., <div> with <div>).
React uses keys (when available) to identify components in lists, helping to improve diffing efficiency.

React Fiber reconciliation engine to compare, apply minimal updates

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
65
Q

How would you convert a class component to a functional one?

A
  • Remove the class syntax: Replace the class declaration with a functional component declaration (a function).
  • Replace the constructor: Use useState to manage state instead of the constructor.
  • Replace lifecycle methods: Use useEffect for methods like componentDidMount ([]) , componentDidUpdate([,,,]), componentWillUnmount (return function)
  • Event handlers in class was arrow functions Those can be written as regular functions.
  • The render method in the class component is replaced by the function body in the functional component. JSX is returned directly from the function.
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
66
Q

How would you handle conditional fields in a controlled component?

A
const [hasPhone, setHasPhone] = useState(false);
const [phone, setPhone] = useState('');

{hasPhone && (
  <input value={phone} onChange={(e) => setPhone(e.target.value)} />
)}

<button onClick={() => setHasPhone(!hasPhone)}>Toggle Phone</button>

Key Idea:
Conditionally render input but still control its state.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
67
Q

How would you migrate useState to useContext when state needs to be shared globally?

A

Extract state and logic into a context provider.
Wrap the app in the provider.
Replace useState calls with useContext consumers.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
68
Q

How would you prevent re-rendering of all consumers when only part of context changes?

A

Split the context into separate providers for different concerns.
Use selector patterns or custom hooks to derive specific parts of context.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
69
Q

How would you structure context for global UI state (like modal, toast notifications)?

A

Create a dedicated UIContext.
Store isModalOpen or toastMessage in this context.
Update it using a reducer if state grows.
~~~
const UIContext = createContext();
const UIProvider = ({ children }) => {
const [state, setState] = useState({ modalOpen: false });
const value = { state, setState };

return <UIContext.Provider value={value}>{children}</UIContext.Provider>;
};

const Modal = () => {
const { state, setState } = useContext(UIContext);
return state.modalOpen ? <div>Modal Content</div> : null;
};
~~~

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
70
Q

If props are immutable, what happens if I change a prop inside a child component?

A

Mutating a prop inside a child doesn’t affect the parent or trigger a re-render. It breaks the unidirectional data flow pattern and will be overwritten when the parent re-renders. I never mutate props

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
71
Q

If you forget to pass a required prop, what happens?

A

If the prop is used without a default, it results in undefined, often causing undefined is not a function or similar errors. I use default props or PropTypes to catch missing props early.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
72
Q

In What Scenarios Might Using Uncontrolled Components Be Advantageous?

A

Third-party Libraries: E.g., integrating non-React libraries (jQuery, etc.) that manipulate the DOM.
Performance Critical Forms: When frequent re-rendering is costly. E.g., large forms with dozens of inputs.
Initial Form Fill: Forms that load default values but don’t change often.
File Uploads: File inputs typically work better with ref.

const fileInputRef = useRef(null);
const handleSubmit = () => {
  console.log(fileInputRef.current.files[0]);
};

<input type="file" ref={fileInputRef} />
How well did you know this?
1
Not at all
2
3
4
5
Perfectly
73
Q

Inline Functions in JSX – Good or Bad?

A

Inline functions are fine in most cases, but in lists or heavy renders, they create a new function every render. This can cause unnecessary child re-renders if the child depends on function reference stability. I use useCallback for performance-sensitive scenarios.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
74
Q

JSX (JavaScript XML), Transpiling

A

Syntax extension to JS to combine HTML like syntax with Javascript that transpiles into JavaScript. It’s syntactic sugar over React.createElement(). It helps us write HTML-like code in JS

  • Readability: Easier to visualize structure.
  • JavaScript Power: Embed logic into the UI easily.

Transpiling : Convert modern JSX syntax to plain JavaScript. JSX itself is not understood by browsers.
Babel (Transpiler) compiles JSX to React.createElement() calls.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
75
Q

JSX Syntax & Rules. Why CamelCase?

A

JavaScript inside {} {2 + 3}, {user.name}
One Parent Element Wrap everything inside <div> or <>…</> (Fragments).
Attributes use camelCase className, onClick, tabIndex
Self-closing tags <img></img>, <input></input>
Inline Styles { style: { color: ‘red’, fontSize: ‘14px’ } }

React uses DOM properties, not HTML attributes: In HTML, attributes are case-insensitive.
In JS DOM API, properties are camelCase.

76
Q

Key Features of React

A
  1. Component based architecture
  2. Virtual DOM
  3. JSX
  4. Reusability and Composition
  5. Declarative syntax
  6. React Hooks
  7. Community and Ecosystem

Component-based: UI is broken into reusable components each handles state and logic. SoC
Reusability: Once you create a component, you can re-use it in different parts of your application or even in multiple projects.
Composition: Composition is creating new and big components by combining existing small components. Its advantage is, change to one small component will not impact other components.

77
Q

public, src, npm, node_modules

A

Public folder contains static assets that are served directly to the user’s browser, such as images, fonts, and the index.html file.

src folder is used to store all the source code of the application which is then responsible for the dynamic changes in your web application.

NPM(Node Package Manager) is used to manage the dependencies for your React project, including the React library itself.

node_modules folder contains all the dependencies of the project, including the React libraries.

78
Q

Limitations of the Virtual DOM

A
* Memory Overhead:
	○ The virtual DOM does consume memory since it is an in-memory representation of the actual DOM.
* Not a Silver Bullet: While React’s virtual DOM provides performance benefits, it's not a universal solution for all performance issues. For example, performance can still degrade with very large or deeply nested components.
* Complexity in Large Apps:
	○ In extremely large applications, managing the virtual DOM and optimizing performance might still require manual intervention, such as using React.memo, PureComponent, or shouldComponentUpdate.
79
Q

Why Closures important

A

Data encapsulation and privacy: You can create functions that access variables in the outer scope without exposing them globally.
Maintaining state in asynchronous code (e.g., setTimeout, callbacks, promises).
Creating function factories (functions that return other functions with customized behavior).
Partial application and currying.

80
Q

Pure Component - Definition

A

A Pure Component in React is a special type of component that only re-renders when its props or state change in a deeply meaningful way (i.e., when their reference changes). It’s optimized for performance, as it shallowly compares the props and state before deciding whether the component needs to re-render.

Regular component re-renders every time it receives new props or state, even if the new props or state are the same as the previous ones.

Parent re-render, child re-renders, pure only re-render if prop chng

81
Q

React Fragments

A

Allows grouping multiple elements without adding extra DOM nodes (no <div> wrapper).

  • Clean DOM: Avoids unnecessary nesting.
  • Syntax: <></>
82
Q

React Optimization

A

Memoization: Use React.memo, useMemo, and useCallback to avoid unnecessary re-renders, but avoid them for small, fast components.
Code Splitting: Break down your app into smaller chunks for large apps to improve load times.
Virtualization: Use for large lists, not small datasets.
Event Handling: Use debouncing or throttling for high-frequency events (e.g., input typing, scroll).
Keys: Always provide unique keys for list items to avoid reconciliation issues.
State Management: Be mindful of the complexity added by hooks like useReducer or useRef and avoid them when not necessary.

83
Q

Disadvantages of React

A

React has a steep learning curve, frequent updates and new libraries , JSX complexity, SEO issues (without SSR), potential performance issues, and relies on third-party libraries for routing and state management.

SEO Challenges:
React is client-side rendering by default. Search engines may struggle to index content, though Server-Side Rendering (SSR) with Next.js can solve this.

Lack of Built-in Routing & State Management:
React is just a view library. For routing (React Router) or global state (Redux, Context API), you need third-party libraries.

When It Might Not Be Worth It:

Static Content: For static websites (e.g., a landing page), HTML + CSS + JS is often simpler and faster.
Simple Apps with Minimal Interactivity: Plain JS or frameworks like Vue (easier) could be quicker.

84
Q

React.PureComponent and React.memo (for Class Components and Functional Components)

A

Purpose: Prevent unnecessary re-renders by doing a shallow comparison of props and state.
When to Use:
When you are dealing with complex components that don’t need to re-render unless props or state have changed.
When props are primitive values or shallow objects/arrays.
When It Becomes Overkill:
When the component is simple and re-renders are fast, the overhead of comparison might be unnecessary.
If the component relies on deep comparison (e.g., nested objects or arrays), PureComponent and React.memo won’t help much, and the shallow comparison may cause bugs.

85
Q

Short-circuit Evaluation (&& and ||)

Nullish Coalescing (??)

Optional Chaining (?.)

A

&& → Returns second operand if the first is true.
|| → Returns second operand if the first is false.

?? -> Returns the right-hand side operand if the left is null or undefined.

Safely access nested properties.
const user = { profile: { name: ‘John’ } };
console.log(user.profile?.name); // ‘John’
console.log(user.profile?.age); // undefined

86
Q

Should we memoize dispatch

A

dispatch Is Stable (Does Not Change Between Renders)
No need to memoize dispatch with useCallback.
dispatch function is the same across renders.
Unlike setState callbacks, you don’t need to pass latest state to handlers.

87
Q

State update incorrect

const [items, setItems] = useState([]);

items.push(‘new item’);
setItems(items);

A

Mutating outside updater function does not create new reference. No re-render trigger

Correct way

setItems((prevItems) => […prevItems, ‘new item’]);

88
Q

Truthy & Falsy Values

A

Falsy: 0, ‘’, null, undefined, NaN, false
Truthy: Everything else.

89
Q

Unidirectional Data Flow

A

Props: Data flows from parent to child. Components cannot modify props; they receive data & render accordingly. Child can only notify using callbacks

  • Predictability: Changes are easier to trace.
  • Debugging: Data origin is clear.
90
Q

Lexical Scope and Closures

A

JavaScript’s scoping model is lexical: it determines the scope of variables based on their position in the source code, not where the function is executed.

When a function is defined inside another function, it lexically “captures” the scope in which it was created. This means that even if the inner function is called outside its original scope, it still has access to variables in its outer scope because of the closure.

91
Q

useState(initialValue) vs. useState(() => initialValue)

A

useState(props.initialValue) Evaluates props.initialValue on every render, but only uses it on the first render. On re-renders, initialValue is ignored, but it is still evaluated every time. If props.initialValue is a simple value (e.g., string/number), this is fine.

useState(() => props.initialValue) Evaluates the function only on the first render → Result is stored as initial state. Subsequent renders do not evaluate it again. Useful if initial state setup is expensive (e.g., calculations, API calls, large objects).

92
Q

var vs let, const

A

let → Block-scoped (within {}), can be reassigned
const → Block-scoped, cannot be reassigned (but objects/arrays can be mutated)
var → Function-scoped, can be redeclared, hoisted, avoid using it

93
Q

Virtual DOM, Difference between real DOM and virtual DOM

A

In-memory representation of the real DOM. React calculates differences (diffing) and updates only changed parts and in batches

Real DOM is browser representation of HTML and virtual DOM is lightweight in-memory JS representation of real DOM. Direct modification of real DOM is slow and re-renders whole page. Virtual DOM helps reduce unnecassary updates to real DOM. React updates virtual DOM, compares with previous, finds changes then updates real DOM in batches

94
Q

Virtual DOM and Browser Optimization

A
  • Rendering Pipeline: The browser renders the DOM through multiple steps like layout, painting, and compositing. React optimizes how it interacts with this pipeline through the virtual DOM to reduce unnecessary reflows and repaints.
    • Reduced Layout Thrashing: React minimizes layout thrashing, which occurs when the browser has to recalculate the layout after every DOM update.
    ○ Cross-Platform Compatibility:
    ○ The virtual DOM abstracts away the differences between various browsers and platforms, allowing React to provide a consistent experience across environments.
95
Q

Virtualization (e.g., using react-window or react-virtualized)

A

Purpose: Render only visible items in large lists, reducing DOM nodes and improving performance when dealing with large lists of data.
When to Use:
For large lists or tables that involve rendering hundreds or thousands of items.
When scrolling through long lists, where rendering everything at once would be inefficient.
When It Becomes Overkill:
For small lists or static data that don’t require virtualization.
If the UI performance is already good without virtualization, and it introduces additional complexity.

96
Q

Why should we not use var

A

let,const - predictable,avoid bugs, strict no redeclaration, error catch with TDZ

Avoiding var ensures clearer, more predictable code and reduces potential bugs. It’s generally safer to use let and const due to their block scope, stricter behavior around redeclarations, and better error-catching mechanisms like the Temporal Dead Zone.

97
Q

What are best practices for useMemo?

A

Use it for expensive calculations.
Use it to prevent referential inequality issues for objects/arrays.
Don’t use it everywhere – Premature optimization hurts readability.
Combine with useCallback when passing callbacks into children.
Always provide a dependency array – Empty if the value is constant.

98
Q

What are Characteristics of Controlled Components?

A

State-Driven: Input value is bound to state.
Event Handling: Value updates via onChange event handler.
Predictable: React state is the single source of truth.
Validation: Easy to validate on every keystroke.
Dynamic Behavior: Supports conditional fields, form reset, etc.

99
Q

What are Controlled Components in React?

A

A controlled component is a component whose form elements (like input fields or checkboxes) are controlled by the state of the application.

100
Q

What are Custom Hooks?

A

A custom hook is a reusable function in React that encapsulates logic using built-in hooks like useState, useEffect, etc.

Naming Convention:
Always starts with use – e.g., useFetch, useAuth

Example – useCounter Custom Hook:

function useCounter(initialValue = 0) {
  const [count, setCount] = useState(initialValue);

  const increment = () => setCount((prev) => prev + 1);
  const decrement = () => setCount((prev) => prev - 1);

  return { count, increment, decrement };
}

Usage:

function CounterComponent() {
  const { count, increment, decrement } = useCounter();

  return (
    <div>
      <p>{count}</p>
      <button onClick={increment}>+</button>
      <button onClick={decrement}>-</button>
    </div>
  );
}

Why Custom Hooks?

Encapsulate Stateful Logic: Abstract complex state/effect logic.
Reusability: Reuse across multiple components.
Cleaner Components: Separate logic from UI.
Separation of Concerns: Keep component focused on rendering, hook handles logic.

101
Q

What are react hooks? Examples,

A

React Hooks are inbuilt functions provided by React that allow functional components to use state and lifecycle features.
Import it from react library

Manage state (useState)
Handle side effects like data fetching (useEffect)
Access context (useContext)
Optimize performance (useMemo, useCallback)
Work with refs and DOM elements (useRef)

102
Q

What are Route Parameters in React Routing?

A

Route parameters are dynamic parts of the URL used to pass values to components.
Example:

<Route path="/user/:id" element={<User />} />

Access Parameters:

import { useParams } from 'react-router-dom';

function User() {
  const { id } = useParams();
  return <div>User ID: {id}</div>;
}

URL: /user/123 → Output: User ID: 123

103
Q

What are the Advantages of Using Controlled Components in React Forms?

A

Predictable State: State is in sync with the input.
Validation: Easy to validate as the user types.
Dynamic Changes: Can enable, disable, or modify inputs based on other fields.
Controlled Updates: Useful in large applications needing form state management.
Integration: Works well with libraries like Formik, React Hook Form.

104
Q

What are the best practices when using useContext?

A

Best Practice Why It Matters
Avoid unnecessary re-renders Split contexts by concern or memoize values
Don’t put everything in context Use local state where possible
Memoize context value if object/array Avoid new reference creation every render
Access context only where needed Avoid wrapping entire app in single context
Combine with useReducer for complex logic Better than stuffing logic into Provider

105
Q

What are the Differences between Controlled & Uncontrolled Components?

A

Aspect Controlled Components Uncontrolled Components
Value Handling Controlled by React state (useState) Controlled by the DOM (ref)
Data Flow One-way binding (React state → Input) Access input value via ref when needed
Real-time Validation Easy, on every onChange Difficult
Performance Potentially slower for many fields Faster for simple, non-reactive forms
Best Use Case Interactive, dynamic forms Forms with default values, less interaction
Example value={state} + onChange={setState} ref={inputRef} + inputRef.current.value

106
Q

What are the performance concerns with Context API?

A

Re-renders:
When context value changes, every consumer re-renders, even if they don’t use the changed value.
Optimization: Split contexts or memoize values:
~~~
const value = useMemo(() => ({ user, setUser }), [user]);
~~~

107
Q

What are the performance risks if you overuse useMemo?

A

Unnecessary memory usage – Memoizing cheap calculations increases memory pressure.
Extra computation – Tracking dependencies and memoization logic adds complexity.
Reduced readability – Can clutter component logic.

108
Q

What are the Roles of <Routes> and <Route> Components?</Route></Routes>

A

<Routes> Wrapper component that matches URL paths to child <Route> components. It replaces the old <Switch> component in React Router v6.
<Route> Defines a mapping between a URL path and a React component. It renders the component when the URL matches the path.
</Route></Switch></Route></Routes>

109
Q

What are the use cases of useEffect

A

Fetching Data API calls when the component mounts.
DOM Updates Update document title.
Event Listeners Attach and clean up event listeners.
Timers/Intervals Set setInterval and clear it on unmount.
Subscribing to Services WebSocket or Redux store subscription.

110
Q

What causes a functional component to re-render?

A

A functional component re-renders when its props or state change. Parent re-rendering passes new props, or the component’s internal state updates.

111
Q

What causes memory leaks in react

A

Subscriptions Not Cleaned Up:
E.g., WebSocket connections, event listeners, or custom intervals not removed.
setTimeout / setInterval:
If a component is unmounted, but timers are still running, it can try to update state on an unmounted component, causing errors and leaks.
Async Operations (e.g., fetch):
If a component unmounts before fetch completes, setting state after unmount can lead to leaks.
Large Closures Holding References:
If functions capture large objects from outer scope (closures), they keep those objects in memory longer than needed.
Global Variables:
Accidentally storing state or components in global variables can prevent garbage collection.

112
Q

What causes unnecessary re-renders in React?

A

Inline functions/objects in components.
Passing non-memoized props.
Changing parent state causing child re-renders.

113
Q

What Does React.createElement() Do?

A

This is the core function JSX compiles to.
It creates a React element (Virtual DOM node).

Signature:
React.createElement(type, props, …children)

Example:
~~~
const element = React.createElement(‘h1’, null, ‘Hello’);

React.createElement(
type, // ‘h1’, ComponentName, React.Fragment, etc.
props, // { id: ‘header’, className: ‘myClass’ } or null
…children // ‘Hello’, other React elements, arrays, etc.
);
~~~

114
Q

What exactly happens to state when a prop changes

A

prop changes (due to the parent re-rendering with new values):
React re-renders the component with new props.
State is NOT automatically reset unless reset manually

key prop changes forces React to treat the component as a new instance.

Component is unmounted & re-mounted (e.g., conditional rendering) - Fresh instance created and state is reset

115
Q

What happens if a dependency is an object or array?

A

Objects/Arrays are referentially different on every render, even with the same content.
This will cause useMemo to recalculate every render.
Solution:
Use useMemo or useCallback to wrap the object/array creation:
~~~
const options = useMemo(() => ({ sortBy: ‘name’ }), []);
~~~

116
Q

What happens if dependencies change on every render?

A

If a dependency is unstable (e.g., object/array created inside the component), the function will still be recreated every render.
Example:

const options = { sortBy: 'name' };
const memoizedFunction = useCallback(() => doSomething(options), [options]);

This will break memoization because a new options object is created on every render.

Solution:
~~~
const options = useMemo(() => ({ sortBy: ‘name’ }), []);
const memoizedFunction = useCallback(() => doSomething(options), [options]);
~~~

117
Q

What happens if hooks are called conditionally

A

Hook order matters for state and effects association. If changes : Assign the wrong state to the wrong variable.
Skip state initialization or updates.

function MyComponent({ condition }) {
const [count, setCount] = useState(0); // Hook 1

if (condition) {
const [text, setText] = useState(‘Hi’); // Hook 2 (conditionally)
}

const [name, setName] = useState(‘John’); // Hook 3

// React thinks Hook 3 is Hook 2 in the next render if condition is false! and updates hook 2 value to hook 3
}

118
Q

What happens if the computation inside useMemo is async (e.g., fetch call)?

A

useMemo should not be used with side-effects like async functions.
Use useEffect instead for async logic.
useMemo is synchronous; it returns a value, not a Promise.
Bad Example:

const data = useMemo(async () => await fetchData(), []);

Correct Approach (with useEffect):
~~~
useEffect(() => {
async function fetchData() {
const result = await fetchAPI();
setData(result);
}
fetchData();
}, []);
~~~

119
Q

What happens if the parent re-renders but the props are the same? React.memo

A

Without React.memo: By default, functional components will re-render every time the parent re-renders, regardless of prop change because functional components don’t have built-in performance optimizations like class components, which use the shouldComponentUpdate method to prevent unnecessary re-renders.

With React.memo: React.memo is a higher-order component that optimizes functional components by preventing unnecessary re-renders. It performs a shallow comparison of props and only re-renders the child component if the props have changed. This can help optimize performance, especially for expensive child components.

120
Q

What happens if useContext is called outside a Provider?

A

Returns the default value provided to createContext().
Does NOT throw an error, but it can lead to subtle bugs.
Example:
~~~
const ThemeContext = createContext(‘light’); // ‘light’ is default value

const Component = () => {
const theme = useContext(ThemeContext); // theme will be ‘light’ if no Provider
};
~~~

121
Q

What happens if you forget the default case in a reducer?

A

If the default case is omitted, an unhandled action will return undefined,
causing React to crash.

Best Practice: Always return the current state for unknown actions.

122
Q

What happens if you omit the dependency array in useCallback?

A

Without the dependency array, the callback is re-created on every render, which defeats the purpose of useCallback.
Example:

const memoizedFunction = useCallback(() => {
  console.log('Hello');
});

This is wrong and is the same as creating the function inside the component without useCallback.

Correct Version:
~~~
const memoizedFunction = useCallback(() => {
console.log(‘Hello’);
}, []);
~~~

123
Q

What is prop drilling, why avoid, how to avoid?

A

Prop Drilling : passing props through multiple intermediate components just to get data from a parent to a deeply nested child component.

Makes Code Hard to Read & Maintain: You pass props through components that don’t need them.
Tight Coupling: Intermediate components depend on props they don’t use, just to forward them down.
Re-renders: Any state/prop change causes unnecessary re-renders in all intermediate components.

We can avoid it using Context API, Redux, component composition, or modern libraries like Zustand and React Query.

124
Q

What happens when you call setState multiple times in the same render?

A

Synchronous Updates:
State updates inside the same event handler are batched together and lead to one re-render in React. React batches state updates but doesn’t immediately apply them. Using old state values in consecutive setState calls without the functional form leads to stale state. Only the last update matters unless using functional updater.

Asynchronous Updates:
React does not batch updates that happen in asynchronous code (like setTimeout or promises, network calls). This leads to multiple re-renders and state updates based on the old value as state updates don’t get batched

React 18+:
In React 18 and above, automatic batching improves performance by batching synchronous and asynchronous updates together, which reduces unnecessary re-renders.

setCount(prevCount => prevCount + 2);
125
Q

What if a useCallback dependency is an object or array?

A

Wrap it in useMemo to prevent recreating the object/array every render.
Example:
~~~
const options = useMemo(() => ({ sortBy: ‘name’ }), []);
const callback = useCallback(() => {
console.log(options.sortBy);
}, [options]);
~~~

126
Q

What if you mix controlled and uncontrolled inputs?

A

Mixing is possible but not recommended.

Controlled fields: React state
Uncontrolled fields: ref
Mixing can cause confusion and bugs.

127
Q

What if you skip the error state?

A

Without error state, the UI might freeze or show blank content, making it hard for users to understand what went wrong.

Separating error state allows me to show proper error messages and improve user experience.

128
Q

What is a common mistake with useContext in useEffect?

A

Using useContext inside useEffect is often confused.
You should call useContext at the top level of the component – not inside useEffect.
~~~
const MyComponent = () => {
const theme = useContext(ThemeContext);

useEffect(() => {
console.log(theme);
}, [theme]); // Correct usage
};
~~~

129
Q

What is a component. What are it’s main elements

A

Resuable, independent unit/ building blocks of UI manages state, behavior and rendering logic

React Component is a reusable, independent function or class that returns JSX. It has Props (inputs), State (data), and can use Hooks/Lifecycle methods for behavior.

Main Elements of a React Component:

JSX (JavaScript XML) → Describes the component’s UI.
Props (Properties) → Inputs passed from parent to child components.
State → Internal data that determines how the component behaves and re-renders.
Lifecycle (in class components) / Hooks (in functional components) → Manage side effects and behavior at different stages.

Component function returns virtual DOM node object

130
Q

What is a SPA (Single Page Application)?

A

A SPA is a web application that loads a single HTML page and dynamically updates content as the user interacts with it, without refreshing the entire page or loading new page

Key SPA Characteristics Explanation
The entire app runs inside a single HTML file.
Client-side Routing URL changes without reloading the page. React Router handles navigation.
Dynamic Content Rendering Content updates via JavaScript (React) without a full reload.
API-Driven Data is fetched via REST APIs (e.g., fetch() or axios).
Fast User Experience No full-page reload → Faster transitions, app-like experience.

131
Q

What is an action in useReducer()?

A

An action is an object with a type property:

{ type: ‘INCREMENT’, payload: 10 }

type describes the action.
payload carries additional data.

function counterReducer(state, action) {
  switch (action.type) {
    case 'INCREMENT':
      return { count: state.count + action.payload };
    case 'DECREMENT':
      return { count: state.count - action.payload };
    default:
      return state;
  }
}
132
Q

What is Context API in React?

A

Context API is a built-in React feature for managing global state and passing data deeply through the component tree without prop drilling.

Use Case:
When multiple components need access to the same data (e.g., user authentication, theme).

Key Components:

React.createContext() – Creates context.
Provider – Wraps components, provides data.
Consumer / useContext() – Consumes context.
Example:

const UserContext = React.createContext();

function Parent() {
  return (
    <UserContext.Provider value={{ name: 'John Doe' }}>
      <Child />
    </UserContext.Provider>
  );
}

function Child() {
  const user = useContext(UserContext);
  return <div>{user.name}</div>;
}

Key Benefits:

Avoids Prop Drilling
Global State Sharing
Easy to use with Hooks (useContext())

133
Q

What is hoisting

A

Hoisting : variable and function declarations are moved to the top of their containing scope during the compile phase, before the code execution starts.

var: Hoisted and initialized with undefined, can be accessed before the declaration but will return undefined.

let, const : Both the declaration and the initialization are hoisted, but they are not initialized until the code execution reaches them. They are placed in a “temporal dead zone” (TDZ) until the code execution reaches the declaration. Accessing them before initialization results in a ReferenceError.

134
Q

What is Key in React?

A

key is a special React prop used when rendering lists.React uses the key to track each component’s identity across renders. If the key changes, React destroys the old component and creates a new one, even if the type is the same.

135
Q

What is Link in React Router?

A

Link is used to navigate between pages without refreshing the entire app. It updates the URL and renders the matched component.

136
Q

What is React? Why React

A

JS open source Library, fast & dynamic interfaces with efficient updates without refresh, using virtual DOM. SPAs

React is a JavaScript library for building fast, dynamic, and modular user interfaces using a component-based, declarative approach with a virtual DOM for efficient updates without refreshing page. Especially beneficial for SPAs

Why : Open-source, cross-platform, SPAs, lightweight, fast, large community and ecosystem, easy testing

137
Q

What is Routing and Router in React?

A

Routing is the process of navigating between different components/pages based on the URL path.
React Router is a library that enables routing in React applications.
Key Concepts:

Router: Wrapper component that enables routing functionality.
Route: Defines the path and component to render.
Navigation: Moving between pages using Link or useNavigate().

138
Q

What is shallow comparison

A

A shallow comparison performed :only the first level of the object is compared. If props or state are objects/arrays/functions, React compares their references (not the contents inside them).

139
Q

What is the best practice when combining useReducer() and useEffect()?

A

Dispatch side-effect-related actions inside useEffect().
Separate side-effect actions from pure state actions.
Example:

useEffect(() => {
  fetchData().then((data) => dispatch({ type: 'SUCCESS', payload: data }));
}, []);
140
Q

Explain Ways to avoid prop drilling

A
  1. Context API (Built-in Solution): Create a Context and use useContext() hook.
    Best for: App-level state like theme, authentication, user data.
  2. Redux (Global State Management Library): Centralized store holds the state. Any component can subscribe to the store and access state directly.
    Best for: Large applications with complex state across multiple components.
  3. Component Composition: Break components into smaller, reusable units.
    Lift State Up only where necessary, pass only required data to specific components.
    Best for: Simple state sharing across few components.
  4. React Query / Zustand / Recoil (Modern State Libraries):
    React Query: Handles server state (data fetching).
    Zustand/Recoil: Simple state management without prop drilling.
    Best for: Asynchronous data (API calls) and simplifying state access.
141
Q

What is the difference between defaultValue and value in inputs?

A

value Controlled component (state drives value).
defaultValue Initial value for Uncontrolled component.

142
Q

What is the difference between useEffect and useLayoutEffect?

A

useEffect
* Asynchronous – Runs after the render and paint.
* Non-blocking.
* Preferred in most cases.

useLayoutEffect
* Synchronous – Runs after render but before paint.
* Blocks painting until effect completes.
* Use for layout measurements or DOM manipulation.

143
Q

What is the difference between useState and useReducer? When would you choose one over the other?

A

useState : Simpler state logic – like strings, numbers, booleans. Updates state directly

useReducer : Complex state logic – multiple sub-values, actions. Uses actions & reducer function to update state

When to use useReducer:
Complex state transitions (e.g., state derived from multiple actions). When the logic is complex (e.g., form state, shopping cart).
Next state depends on previous state.
Multiple pieces of state that evolve together.
When state logic is extracted into a separate reducer function (better readability).

useState() updates replace state, while
useReducer() updates derive state from current state.

Keeps state logic centralized.
Avoids multiple setState() calls when fields are related.

144
Q

What is the execution flow of useEffect

A

Execution Flow:

Component Renders → Effect Runs.
Dependency Array Check: Trigger for effect to run

Empty Array [] → Runs once after initial render.
Array with values [count, user] → Runs when any dependency changes.
No Array (Dangerous) → Runs after every render.
Cleanup Function (Optional):
Runs before the next effect execution or when the component unmounts.
Useful for clearing timers, unsubscribing listeners, or canceling API calls.

145
Q

What is the performance cost of overusing useCallback?

A

Overhead of memoization: Tracking dependencies and memoizing every callback can slow down the app, especially if the callback is trivial.
More complexity and less readability.
Rule of Thumb:

Use useCallback primarily when passing callbacks to memoized children (React.memo).

146
Q

What is the purpose of passing initial state as an object in useReducer?

A

Initial state as an object provides flexibility to store multiple related values together.
It allows grouping of logically connected state variables.This approach improves readability and scalability as your state grows.
Avoids multiple useState calls for closely related data, reducing re-renders and improving performance.
It mirrors real-world applications, where state is often a collection of related fields.

147
Q

What happens if you write an HTML-like tag in JSX without closing it properly, e.g., <img></img>?

What is the purpose of {} inside JSX? Can I put an if statement inside it?

What are React Fragments

A

JSX syntax error. React doesn’t auto-close; you must use <img></img>.

{} is to evaluate JS expressions.
❌ You cannot put a statement like if directly inside {}.
✅ Use ternary operator or logical expressions instead:
{isLoggedIn ? <h1>Welcome</h1> : <h1>Please Sign In</h1>}

In React, a fragment is a way to group multiple children’s elements. Using a Fragment prevents the addition of unnecessary nodes to the DOM.

148
Q

What is the relationship between React.memo() and useMemo()?

A

React.memo(): Prevents re-rendering of the entire component if props haven’t changed.
useMemo(): Memoizes values inside a component to optimize internal computations.
Combining Example:
~~~
const Child = React.memo(({ data }) => <div>{data.value}</div>);

function Parent({ data }) {
const memoizedData = useMemo(() => ({ value: data }), [data]);
return <Child data={memoizedData} />;
}
~~~

149
Q

What is the relationship between useCallback and React.memo()?

A

React.memo memoizes a component based on props.
If a prop is a function, it triggers a re-render if the function reference changes.
useCallback ensures the function’s reference remains stable, preventing unnecessary re-renders.
Example:
~~~
const Child = React.memo(({ onClick }) => {
console.log(‘Child Rendered’);
return <button onClick={onClick}>Click</button>;
});

const Parent = () => {
const handleClick = useCallback(() => console.log(‘Clicked’), []);
return <Child onClick={handleClick} />;
};
~~~

150
Q

What is the relationship between useContext and Context.Provider?

A

Context.Provider provides a value to all descendant components.
useContext consumes the nearest Provider value in the component tree.
Example:
~~~
const ThemeContext = createContext();

const App = () => (

<ThemeContext.Provider>
<ThemedComponent></ThemedComponent>
</ThemeContext.Provider>

);

const ThemedComponent = () => {
const theme = useContext(ThemeContext);
return <div>{theme}</div>;
};
~~~

151
Q

What is the “stale state” problem in useReducer()?

A

If closures capture old state, actions use outdated values. Solution:

Always rely on the state argument in the reducer.
Avoid accessing state from closures inside event handlers.

152
Q

What is useCallback in React?

A

useCallback is a React Hook that returns a memoized version of a callback function.
It only changes when one of its dependencies changes.
Useful when passing callbacks to child components, especially when children are wrapped in React.memo.
Syntax:

const memoizedCallback = useCallback(() => {
  // Some logic
}, [dependency1, dependency2]);

Key Purpose:

Performance optimization by preventing unnecessary re-creations of functions across renders.
Avoids causing child components to re-render when functions are passed as props.

153
Q

What is useContext in React?

A

useContext is a React Hook that allows functional components to consume values from a React Context.

It avoids the need for Context.Consumer wrapper components.

Syntax:

const value = useContext(MyContext);
Key Purpose:

Access global state or shared values (e.g., theme, user authentication, language).
Avoid prop drilling: Passing props through multiple layers of components.

154
Q

What is useMemo and why is it used?

A

useMemo is a React Hook used to memoize the result of a computation and optimize performance.
It recalculates the value only when dependencies change.
It prevents expensive calculations from running on every render.
Syntax:

const memoizedValue = useMemo(() => computeExpensiveValue(a, b), [a, b]);

Use Case Examples:
Expensive Computations: Filtering large lists, heavy calculations.
Referential Equality: Preventing child re-renders when passing objects/arrays as props.

155
Q

What is useReducer and when to use it over useState?

A

Complex state logic or state transitions depend on previous state.
Better for state with multiple sub-values (e.g., form data, multi-step flows).

156
Q

What is useRef? How is it different from useState?

A

useRef : Holds a mutable value that persists across renders.Does not cause re-render. Accessing DOM elements or storing values that don’t need re-rendering.

useState : Triggers re-render when state is updated. Causes component to re-render.
Common Use: Managing component state.

157
Q

What problem do React Hooks solve? Why were they introduced?

A

Hooks solve the problem of adding state and lifecycle features to functional components.
Before hooks, stateful logic was only possible in class components, which often led to:

Complex components with large lifecycle methods.
Difficult logic sharing between components.
Poor readability due to mixing stateful and side-effect logic.
Hooks simplify component logic by allowing state, side effects, and other React features in functional components.

Simplifies component logic → State and side effects in functional components.
Improves reusability → Custom hooks for sharing logic across components.
Reduces complexity → No need for lifecycle methods like componentDidMount, componentDidUpdate, etc.

158
Q

What will happen if you omit the dependency array in useMemo?

A

If the dependency array is omitted:

const memoizedValue = useMemo(() => computeExpensiveValue(a, b));

The value will recompute on every render, defeating the purpose of memoization.
Equivalent to not using useMemo.

159
Q

What’s the difference between props and state?

A

State: internal data that changes over time, Props: data from parent

Props are immutable inputs passed from a parent to a child, controlling the component from outside. Read only

State is mutable, internal data controlled by the component itself, used when data changes over time

160
Q

What’s the difference between useContext and Redux?

A

useContext Redux
Scoped to component tree Global state across app
Simpler, less boilerplate Predictable with middleware support
Triggers all consumers on change Fine-grained state updates with selectors
For small-medium apps For large-scale, complex apps

161
Q

What’s the performance concern with too many controlled inputs?

A

Each onChange causes re-renders → Expensive for large forms with hundreds of inputs.

Optimization Techniques:

Debouncing: Delay updates (e.g., with lodash.debounce).
React Hook Form: Library to minimize re-renders.

162
Q

What’s the problem with overusing useMemo and useCallback?

A

Unnecessary complexity.
Slower initial renders if misused.
Only optimize when performance is measurable.

163
Q

When can Virtual DOM become inefficient?

A

Large lists without proper keys, frequent state changes without memoization, deep component trees.

164
Q

When is useCallback unnecessary?

A

Avoid useCallback for local, simple handlers that don’t get passed as props.
Avoid for trivial operations (e.g., console.log or basic state updates).
Prefer useCallback when passing callbacks to memoized child components (React.memo).

165
Q

When is useMemo actually necessary?

A

Computationally expensive calculations (e.g., data processing, filtering).
Avoid recreating objects/functions passed to child components.

166
Q

When is useMemo unnecessary?

A

Primitive values (numbers, strings, booleans) don’t need useMemo.
Simple calculations – If the calculation is cheap, don’t memoize.
Overhead can outweigh benefits for trivial computations.

167
Q

When NOT to Use SPA?

A

SEO SPAs require server-side rendering (SSR) for better SEO.
Initial Load Time Large bundle size can slow down initial load.
Simple Websites Static websites (e.g., blogs) don’t need SPA complexity.

168
Q

When React.memo is necessary and when overkill

A

Purpose: Prevent unnecessary re-renders of functional components that receive the same props.
When to Use:
When a child component is receiving the same props multiple times and you want to avoid unnecessary re-renders.
When a component is expensive to render, and props don’t change often.
When It Becomes Overkill:
If the component is small and fast to render.
If props change frequently, as it would invalidate the memoization.
For lightweight components, the overhead of memoization could be worse than the re-renders themselves.

169
Q

When should you NOT use useMemo?

A

When the computation is cheap – adds unnecessary complexity.
When the memoization itself is more costly than the calculation.
Overusing useMemo can hurt performance instead of improving it.

170
Q

When state depends on previous state

A

Use functional updates

setCount((prevCount) => prevCount + 1);
setCount((prevCount) => prevCount + 1);

React batches updates. Old value may be stale

171
Q

When useCallback is necessary and when it is overkill

A

Purpose: Prevent function recreation on every render, useful when passing functions down to child components wrapped with React.memo or PureComponent.
When to Use:
When passing functions as props to child components and you want to avoid re-creating the function on every render, especially in pure components.
When It Becomes Overkill:
If the function is not passed as a prop or does not change frequently, using useCallback introduces unnecessary complexity.
For small functions or non-expensive computations, the overhead of memoizing the function is typically not worth it.

172
Q

When useMemo is necessary and when overkill

A

Purpose: Optimize expensive calculations that only need to be recomputed when their dependencies change.
When to Use:
When you have expensive calculations (e.g., sorting, filtering) that depend on props or state, and those calculations don’t need to be redone every render.
When It Becomes Overkill:
For simple calculations where the performance gain is negligible.
If you are memoizing values that change frequently, causing useMemo to still be recomputed often.
Small apps or lightweight computations where memoization overhead outweighs the performance gain.

173
Q

When would you derive state from props?

A

Rarely because derived state can get stuck with stale props. Derive state if I need to initialize it from props or synchronize when props change, using useEffect for side effects because it runs after render phase.

const Child = ({ name }) => {
  const [stateName, setStateName] = React.useState(name);

  // Sync state with props when props change
  React.useEffect(() => {
    setStateName(name);
  }, [name]);

  return <p>Child State: {stateName}</p>;
};

State no change when prop change. State derived from props - out of sync

174
Q

How React App Load and display the components in browser?

A

React app starts from index.html (entry point, usually in the public folder).
It contains a root <div id="root"></div> where React will load components.

index.js (or main.jsx) is the entry JavaScript file. React renders the root component (e.g., <App></App>) into #root div.
ReactDOM.createRoot(document.getElementById('root')).render(<App />);

Root Component(App: container of child components):
React Component (e.g., <App></App>) returns JSX.
JSX is compiled to React.createElement() calls (by Babel) → Creates Virtual DOM elements.
React compares Virtual DOM with Real DOM → Updates only necessary parts in Real DOM.

Display in Browser: React injects the final rendered output (HTML) into the #root div inside the index.html file.
Browser renders this updated DOM and displays the components.

175
Q

Why Directly Setting State in Render is Problematic

A
const Child = ({ count }) => {
  const [stateCount, setStateCount] = React.useState(count);

  // This will cause an infinite re-render
  setStateCount(count);  // Directly setting state inside render

  return <div>{stateCount}</div>;
};

When the component renders for the first time, stateCount is initialized with count from props (React.useState(count)).
As soon as React evaluates the component and the render function executes, it encounters setStateCount(count). React will try to update the state based on the props.
Setting state in the render function triggers a re-render of the component, but since the state update is part of the render process, the component re-renders again immediately after. This new render will again call setStateCount(count), starting the cycle over in loop

176
Q

Why does React enforce immutability on props and state

A

Immutability allows React to efficiently detect changes via shallow comparison and re-render only the necessary parts. Mutability breaks this optimization

177
Q

Why is const [state, setState] = useState() a const but still updates?

A

const → Variable is immutable per render, but next render gets a new value.
State itself is not constant, the reference is.

178
Q

Why is storing IDs better than objects?

A

Objects can be large and cause unnecessary re-renders.
Comparing IDs is cheap because they are primitives.
When we update state with objects, React might compare object references, leading to performance hits.

179
Q

Why is useCallback necessary in React?

A

Functions are re-created on every render in React. When passed as props, this triggers re-renders in child components, even if their props didn’t change.
useCallback creates a stable function reference, avoiding unnecessary child re-renders.

180
Q

Why JSX

A

React’s philosophy➡️ UI is a function of state (UI = f(state)).

Readability & Ease of Development : Easier to visualize UI structure compared to React.createElement().

Combines Logic & UI : You can embed JavaScript expressions using { }.

Avoids String-Based Templates Safer than concatenating strings (like jQuery), reduces XSS risk.

Developer Experience (DX) Better error messages, syntax highlighting, and tooling support.

181
Q

Why not use uncontrolled inputs?

A

Uncontrolled inputs rely on DOM state instead of React state. That breaks React’s declarative approach and can make form handling messy.
If we need to reset the form or conditionally disable fields, it becomes difficult to manage without controlled inputs.

182
Q

Why should reducers be pure functions?

A

Reducers must be pure functions because:

Same inputs should always produce the same output.
No side effects (e.g., API calls, mutations).
Ensures predictability and easy debugging.

183
Q

Why Virtual DOM?

A

Real DOM updates are expensive on performance, slow; Virtual DOM minimizes real DOM manipulations by differential updates and batching changes.

DOM manipulations are SLOW → Recalculating styles, layout, reflows.
Virtual DOM is FAST → Calculations in memory, reduced re-rendering.
Batch updates → React groups changes instead of updating the DOM for every small state change.

184
Q

Why would you NOT always wrap every component in React.memo?

A

React.memo adds shallow comparison overhead. For simple or frequently changing components, memoization can hurt performance. I only memoize components that are expensive to re-render or receive stable props.

185
Q

Write a template literal

A

Multi-line strings and embedding variables using ${} and back ticks
Hello ${variableName}