DEV Community

FatimaAlam1234
FatimaAlam1234

Posted on

React Js Interview Questions

Q1. How to bind methods or event handlers in JSX callbacks?
There are 3 possible ways to achieve this in class components:

Binding in Constructor: In JavaScript classes, the methods are not bound by default. The same rule applies for React event handlers defined as class methods. Normally we bind them in constructor.

class User extends Component {
constructor(props) {
super(props);
this.handleClick = this.handleClick.bind(this);
}
handleClick() {
console.log("SingOut triggered");
}
render() {
return SingOut;
}
}
Public class fields syntax: If you don't like to use bind approach then public class fields syntax can be used to correctly bind callbacks. The Create React App enables this syntax by default.

handleClick = () => {
console.log("SingOut triggered", this);
};
SingOut
Arrow functions in callbacks: It is possible to use arrow functions directly in the callbacks.

handleClick() {
console.log('SingOut triggered');
}
render() {
return this.handleClick()}>SignOut;
}
Note: If the callback is passed as prop to child components, those components might do an extra re-rendering. In those cases, it is preferred to go with .bind() or public class fields syntax approach considering performance.

Top comments (0)