DEV Community

Cover image for Write if else in react (Conditional Rendering)
Aastha Pandey
Aastha Pandey

Posted on

Write if else in react (Conditional Rendering)

I was trying to search like this "How to write if else in react".
Then got to know about conditional rendering.
When to use conditional rendering?
If one wants to render a component based on some state change or when some condition becomes true.

In the below code conditional rendering has been done, it's first checking if isLoggedIn is true then it'll render the About component else if it's false Home component will be rendered.


//MyComponent.js
import React, {useState} from "react"
import Home from "./Home"
import About from "./About"
const MyComponent = () => {
const [isLoggedIn, setIsLoggedIn] = useState();
 return <>
{
 isLoggedIn ? (<About/>) : (<Home/>)
}
</>
}
export default MyComponent;
Enter fullscreen mode Exit fullscreen mode

or


//MyComponent.js

import React, {useState} from "react"
import About from "./About"
import Home from "./Home"
const MyComponent = () => {
const [isLoggedIn, setIsLoggedIn] = useState();
 if(isLoggedIn) {
    return <About/>
  }else {
    return <Home/>
  }
}
export default MyComponent;
Enter fullscreen mode Exit fullscreen mode

The code above will always render the Home component since I'm not changing the state isLoggedIn from false to true.

Top comments (0)