Change the text color on click in React
In this tutorial, we are going to learn about how to change the text 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 text color on click in React, add the onClick
event handler and change the text color of an element conditionally whenever it’s clicked using the state variable.
Here is an example:
import React, { useState } from "react";
function Home() {
const [active, setActive] = useState(false);
const handleClick = () => {
setActive(!active);
};
return (
<div>
<h1
onClick={handleClick}
style={{ color: active ? "black" : "white" }}
>
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 h1
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 h1
text Color using the ternary expression.
{color: 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 text 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>
<h1
onClick={handleClick}
className={active ? "default" : "success"}
>
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.