React conditional rendering
// updated 2025-05-15 00:05
Conditional rendering in React refers to displaying content based on some condition, giving components a more dynamic existence. Content alters depending on different situations.
We can render views using one of at least three different methods:
- if statements
- ternary operators
- logical AND (&&) operators
If statements
The if statement would appear with a return statement of its own, before another final return statement:
1import RenderThis from './RenderThis'
2import RenderThat from './RenderThat'
3
4// the value of this can come from anywhere or hard-coded here
5const someCondition = true
6
7function X() {
8  if (someCondition) {
9    return <RenderThis />
10  }
11  return <RenderThat />
12}
13
14function App() {
15  return <X />
16}If someCondition holds true, then the first return statement will execute and ignore everything else in the block. In the example above, the "RenderThis" component would render, but "RenderThat" would not!
Ternary operators
This follows the JavaScript syntax of ternary operators:
1import RenderThis from './RenderThis'
2import RenderThat from './RenderThat'
3
4// the value of this can come from anywhere or hard-coded here
5const someCondition = true
6
7function X() {
8  return {someCondition ? <RenderThis /> : <RenderThat />}
9}
10
11function App() {
12  return <X />
13}This way provides a more streamlined syntax, compared to using if statements!
Using logical AND (&&)
Finally, another way to do conditional rendering in React, the "logical AND" (&&) which render something if a condition holds true. If that condition did not hold true, then nothing would render:
1import RenderThis from './RenderThis'
2import RenderThat from './RenderThat'
3
4// the value of this can come from anywhere or hard-coded here
5const someCondition = true
6
7function X() {
8  return (
9    { someCondition && <RenderThis /> }
10    { !someCondition && <RenderThat /> }
11  )
12}
13
14function App() {
15  return <X />
16}A little less streamlined than the ternary operator, this method actually works best if we want to render something if and only if a condition holds true. Otherwise, we would not want to render anything.