30 0 236KB
FullStack.Cafe - Never Fail Tech Interview (https://www.fullstack.cafe) 39 Advanced React Interview Questions You Must Clarify (2020 Update) Originally published on 39 Advanced React Interview Questions You Must Clarify (2020 Update) | FullStack.Cafe (https://www.fullstack.cafe\blog\react-js-interview-questions) Q1 : What is virtual DOM? Q2 : What are the differences between a class component and functional component? Q3 : What are refs used for in React? Q4 : Describe how events are handled in React. Q5 : What is the difference between state and props? Q6 : How to create refs? Q7 : What are Higher-Order components? Q8 : What is the purpose of using super constructor with props argument? Q9 : What are controlled components? Q10 : What is equivalent of the following using React.createElement? Q11 : What can you tell me about JSX? Q12 : Given the code defined above, can you identify two problems? Q13 : Why should not we update the state directly? Q14 : What are the different phases of ReactJS component lifecycle? Q15 : What are the lifecycle methods of ReactJS? Q16 : What do these three dots (...) in React do? What does the ... do in this React (using JSX) code and what is it called? { setCounter(count + 1); setMoreStuff(...); ... }; Q20 : What is StrictMode in React? Q21 : Why do class methods need to be bound to a class instance? Q22 : What is prop drilling and how can you avoid it? Q23 : Describe Flux vs MVC? Q24 : What is the difference between a controlled component and an uncontrolled component? Q25 : What is wrong with this code? Q26 : What is the React context? Q27 : What is React Fiber? Q28 : How to apply validation on Props in ReactJS? Q29 : What is the difference between ReactJS and Angular? Q30 : What is the difference between using constructor vs getInitialState in React? Q31 : When is it important to pass props to super(), and why? Q32 : How to conditionally add attributes to React components? Is there a way to only add attributes to a React component if a certain condition is met? Q33 : Do Hooks replace render props and higher-order components? Q34 : How would you go about investigating slow React application rendering? Q35 : When would you use StrictMode component in React? Q36 : What is a pure function? Q37 : How does React renderer work exactly when we call setState? Q38 : What is the key architectural difference between a JavaScript library such as React and a JavaScript framework such as Angular? Q39 : How to avoid the need for binding in React?
## Answers
Q1: What is virtual DOM? ★ Topic: React The virtual DOM (VDOM) is an in-memory representation of Real DOM. The representation of a UI is kept in memory and synced with the “real” DOM. It’s a step that happens between the render function being called and the displaying of elements on the screen. This entire process is called reconciliation.
Q2: What are the differences between a class component and functional component? ★★ Topic: React Class components allows you to use additional features such as local state and lifecycle hooks. Also, to enable your component to have direct access to your store and thus holds state. When your component just receives props and renders them to the page, this is a stateless component, for which a pure function can be used. These are also called dumb components or presentational components.
Q3: What are refs used for in React? ★★ Topic: React Refs are an escape hatch which allow you to get direct access to a DOM element or an instance of a component. In order to use them you add a ref attribute to your component whose value is a callback function which will receive the underlying DOM element or the mounted instance of the component as its first argument. class UnControlledForm extends Component { handleSubmit = () => { console.log("Input Value: ", this.input.value) } render () { return (
this.input = input} /> Submit
) } } Above notice that our input field has a ref attribute whose value is a function. That function receives the actual DOM element of input which we then put on the instance in order to have access to it inside of the handleSubmit function. It’s often misconstrued that you need to use a class component in order to use refs, but refs can also be used with functional components by leveraging closures in JavaScript.
function CustomForm ({handleSubmit}) { let inputElement return ( handleSubmit(inputElement.value)}> inputElement = input} /> Submit
) }
Q4: Describe how events are handled in React. ★★ Topic: React In order to solve cross browser compatibility issues, your event handlers in React will be passed instances of SyntheticEvent, which is React’s cross-browser wrapper around the browser’s native event. These synthetic events have the same interface as native events you’re used to, except they work identically across all browsers. What’s mildly interesting is that React doesn’t actually attach events to the child nodes themselves. React will listen to all events at the top level using a single event listener. This is good for performance and it also means that React doesn’t need to worry about keeping track of event listeners when updating the DOM.
Q5: What is the difference between state and props? ★★ Topic: React Both props and state are plain JavaScript objects. While both of them hold information that influences the output of render, they are different in their functionality with respect to component. i.e, Props get passed to the component similar to function parameters state is managed within the component similar to variables declared within a function.
Q6: How to create refs? ★★ Topic: React Refs are created using React.createRef() method and attached to React elements via the ref attribute. In order to use refs throughout the component, just assign the ref to the instance property with in constructor. class MyComponent extends React.Component { constructor(props) { super(props); this.myRef = React.createRef(); } render() { return ; } } And:
class UserForm extends Component { handleSubmit = () => { console.log("Input Value is: ", this.input.value) } render () { return (
this.input = input} /> // Access DOM input in handle submit Submit
) } } We can also use it in functional components with the help of closures.
Q7: What are Higher-Order components? ★★ Topic: React A higher-order component (HOC) is a function that takes a component and returns a new component. Basically, it’s a pattern that is derived from React’s compositional nature We call them as “pure’ components” because they can accept any dynamically provided child component but they won’t modify or copy any behavior from their input components. const EnhancedComponent = higherOrderComponent(WrappedComponent); HOC can be used for many use cases as below, 1. 2. 3. 4.
Code reuse, logic and bootstrap abstraction Render High jacking State abstraction and manipulation Props manipulation
Q8: What is the purpose of using super constructor with props argument? ★★ Topic: React A child class constructor cannot make use of this reference until super() method has been called. The same applies for ES6 sub-classes as well. The main reason of passing props parameter to super() call is to access this.props in your child constructors. Passing props: class MyComponent extends React.Component { constructor(props) { super(props); console.log(this.props); // Prints { name: 'sudheer',age: 30 } } } Not passing props:
class MyComponent extends React.Component { constructor(props) { super(); console.log(this.props); // Prints undefined // But Props parameter is still available console.log(props); // Prints { name: 'sudheer',age: 30 } } render() { // No difference outside constructor console.log(this.props) // Prints { name: 'sudheer',age: 30 } } } The above code snippets reveals that this.props behavior is different only with in the constructor. It would be same outside the constructor.
Q9: What are controlled components? ★★★ Topic: React In HTML, form elements such as , , and typically maintain their own state and update it based on user input. When a user submits a form the values from the aforementioned elements are sent with the form. With React it works differently. The component containing the form will keep track of the value of the input in it's state and will re-render the component each time the callback function e.g. onChange is fired as the state will be updated. An input form element whose value is controlled by React in this way is called a controlled component.
Q10: What is equivalent of the following using React.createElement? ★★★ Topic: React Question: const element = (
Hello, world!
); What is equivalent of the following using React.createElement? Answer: const element = React.createElement( 'h1', {className: 'greeting'}, 'Hello, world!' );
Q11: What can you tell me about JSX? ★★★ Topic: React
When Facebook first released React to the world, they also introduced a new dialect of JavaScript called JSX that embeds raw HTML templates inside JavaScript code. JSX code by itself cannot be read by the browser; it must be transpiled into traditional JavaScript using tools like Babel and webpack. While many developers understandably have initial knee-jerk reactions against it, JSX (in tandem with ES2015) has become the defacto method of defining React components. class MyComponent extends React.Component { render() { let props = this.props; return (
{props.name}
); } }
Q12: Given the code defined above, can you identify two problems? ★★★ Topic: React Take a look at the code below:
class MyComponent extends React.Component { constructor(props) { // set the default internal state this.state = { clicks: 0 }; } componentDidMount() { this.refs.myComponentDiv.addEventListener('click', this.clickHandler); } componentWillUnmount() { this.refs.myComponentDiv.removeEventListener('click', this.clickHandler); } clickHandler() { this.setState({ clicks: this.clicks + 1 }); } render() { let children = this.props.children; return (
My Component ({this.state.clicks} clicks}) {this.props.headerText} {children}
); } }
Given the code defined above, can you identify two problems? Answer: 1. The constructor does not pass its props to the super class. It should include the following line: constructor(props) { super(props); // ... } 2. The event listener (when assigned via addEventListener()) is not properly scoped because ES2015 doesn’t provide autobinding (https://facebook.github.io/react/docs/reusable-components.html#noautobinding). Therefore the developer can re-assign clickHandler in the constructor to include the correct binding to this:
constructor(props) { super(props); this.clickHandler = this.clickHandler.bind(this); // ... }
Q13: Why should not we update the state directly? ★★★ Topic: React If you try to update state directly then it won’t re-render the component. //Wrong This.state.message =”Hello world”; Instead use setState() method. It schedules an update to a component’s state object. When state changes, the component responds by re-rendering //Correct This.setState({message: ‘Hello World’}); Note: The only place you can assign the state is constructor.
Q14: What are the different phases of ReactJS component lifecycle? ★★★ Topic: React There are four different phases of React component’s lifecycle: 1. Initialization: In this phase react component prepares setting up the initial state and default props. 2. Mounting: The react component is ready to mount in the browser DOM. This phase covers componentWillMount and componentDidMount lifecycle methods. 3. Updating: In this phase, the component get updated in two ways, sending the new props and updating the state. This phase covers shouldComponentUpdate, componentWillUpdate and componentDidUpdate lifecycle methods. 4. Unmounting: In this last phase, the component is not needed and get unmounted from the browser DOM. This phase include componentWillUnmount lifecycle method.
Q15: What are the lifecycle methods of ReactJS? ★★★ Topic: React componentWillMount: Executed before rendering and is used for App level configuration in your root component. componentDidMount: Executed after first rendering and here all AJAX requests, DOM or state updates, and set up eventListeners should occur. componentWillReceiveProps: Executed when particular prop updates to trigger state transitions. shouldComponentUpdate: Determines if the component will be updated or not. By default it returns true. If you are sure that the component doesn't need to render after state or props are updated, you can return false value. It is a great place to improve performance as it allows you to prevent a rerender if component receives new prop. componentWillUpdate: Executed before re-rendering the component when there are pros & state changes confirmed by shouldComponentUpdate which returns true. componentDidUpdate: Mostly it is used to update the DOM in response to prop or state changes. componentWillUnmount: It will be used to cancel any outgoing network requests, or remove all event listeners associated with the component.
Q16: What do these three dots (...) in React do? ★★★ Topic: React Details: What does the ... do in this React (using JSX) code and what is it called?