React - Change the button color onClick
In this tutorial, we are going to learn about how to change the color of a button onClick in React.
Consider, we have the following component in our react app:
import React from 'react';
function Home(){
return (
<div className="center">
<button>SignUp</button>
</div>
)
}
export default Home;
To change the button color in React, add the onClick event handler to it and change the color conditionally whenever a button is clicked.
Here is an example:
import React, { useState } from "react";
function Home() {
const [active, setActive] = useState(false);
const handleClick = () => {
setActive(!active);
};
return (
<div className="center">
<button
onClick={handleClick}
style={{ backgroundColor: active ? "black" : "white" }}
>
SignUp
</button>
</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 button 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 button background Color using ternary expression.
{backgroundColor: active ? "black" : "white" }
If active is false
it chooses white
color, if its true it chooses black
color.
If you are styling your button using css classes you change it between two 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 className="center">
<button
onClick={handleClick}
className={active ? "black-btn" : "white-btn"}
>
SignUp
</button>
</div>
);
}
export default Home;
In the example above, if active
state is true
it chooses black-btn
class, if active
state is false
it chooses white-btn
class.