Change the background color on Click in React
In this tutorial, we are going to learn about how to change the background color on click in React with the help of an example.
Consider, we have the following component in our react app:
import React from 'react';
function Home(){
return (
<div>
<h1>Welcome to my blog</h1>
</div>
)
}
export default Home;To change the background color on click in React, add the onClick event handler to it and change the background color conditionally whenever a element is clicked.
Here is an example:
import React, { useState } from "react";
function Home() {
const [active, setActive] = useState(false);
const handleClick = () => {
setActive(!active);
};
return (
<div onClick={handleClick}
style={{ backgroundColor: active ? "black" : "white" }}
>
<h1>Welcome to my blog</h1>
</div>
);
}
export default Home;In the example above, we added a handleClick event handler to the onClick prop and state active to the style property, so whenever a div element is clicked it runs the handleClick function and changes the active state from false to true or vice versa.
Based on the active state we are changing the div background Color using ternary expression.
{backgroundColor: active ? "black" : "white" }If active is false it chooses the white color, if its true it chooses the black color.
If you are styling your element using css classes, then you can toggle between two css classnames like this:
Here is an example:
import React, { useState } from "react";
function Home() {
const [active, setActive] = useState(false);
const handleClick = () => {
setActive(!active);
};
return (
<div
onClick={handleClick}
className={active ? "default" : "success"}
>
<h1>Welcome to my blog</h1>
</div>
);
}
export default Home;In the example above, if active state is true it chooses default class, if active state is false it chooses success class.


