Loading lesson path
There are many ways to style React with CSS, this tutorial will take a closer look at three common ways:
To style an element with the inline style attribute, the value must be a
Insert an object with the styling information:
const Header = () => {
return (<>
<h1 style=>Hello Style!</h1>Formula
< p > Add a little style!</p ></>
);
}Example »
In JSX, JavaScript expressions are written inside curly braces, and since JavaScript objects also use curly braces, the styling in the example above is written inside two sets of curly braces
{{}}.camelCased Property Names Since the inline CSS is written in a JavaScript object, properties with hyphen separators, like background-color, must be written with camel case syntax:
const Header = () => {
return (<>
<h1 style=>Hello Style!</h1>Formula
< p > Add a little style!</p ></>
);
}Example »
You can also create an object with styling information, and refer to it in the style attribute:
const Header = () => {
const myStyle = {Formula
color: "white", backgroundColor: "DodgerBlue", padding: "10px", fontFamily: "Sans - Serif"};
return (<>
<h1 style={myStyle}>Hello Style!</h1>Formula
< p > Add a little style!</p ></>
);
}Example »
You can write your CSS styling in a separate file, just save the file with the.css file extension, and import it in your application.
Create a new file called "MyStylesheet.css" and insert some CSS code in it:
body {
background-color: #282c34;
color: white;
padding: 40px;
font-family: Sans-Serif;
text-align: center;
}You can call the file whatever you like, just remember the correct file extension. Import the stylesheet in your application:
Use the import statement to import the stylesheet:
import { createRoot } from 'react-dom/client';
import './MyStylesheet.css';const Header = () => {
return (<>
Formula
< h1 > Hello Style!</h1 >
< p > Add a little style!.</p ></>
);
}createRoot(document.getElementById('root')).render( <Header />
);Example » React knows that files imported with the .css extension, should be treated as a CSS Stylesheet.
Note
The styles will only be available for the component that imported it.
Another way of adding styles to your application is to use CSS Modules. CSS Modules are convenient for components that are placed in separate files. The CSS inside a module is available only for the component that imported it, and you do not have to worry about name conflicts. Create the CSS module with the.module.css extension, example:
Formula
my - style.module.css.Formula
Create a new file called "my - style.module.css" and insert some CSS code in it:.bigred {color: Tomato;
padding: 40px;
font-family: Sans-Serif;
text-align: center;
}Import the stylesheet in your component:
Use import styles to import the stylesheet:
import { createRoot } from 'react-dom/client';
import styles from './my-style.module.css';const Car = () => {
return <h1 className={styles.bigred}>Hello Car!</h1>;
}createRoot(document.getElementById('root')).render( <Car />
);