DEV Community

Cover image for Styled components, the styling library for your React apps you don’t want to be without
Chris Noring for ITNEXT

Posted on • Updated on • Originally published at softchris.github.io

Styled components, the styling library for your React apps you don’t want to be without

Follow me on Twitter, happy to take your suggestions on topics or improvements /Chris

This covers styled-components 3.0. There have been some changes since. It's worth looking through the release notes for major changes, Release notes

NOTE, I know the markdown rendering looks a little off on this one. If it bothers you too much, have a read here where the original article is Original article

There are a ton of ways to style components in React. This is probably my favorite way of doing it and it differs somewhat conceptually from other ways of styling.

 The case for the styled-components approach

When you start out styling your React components you may opt for defining CSS classes and assigning them to each element, like so:

<div className="card">
  <div className="card-header">
    <h3>{card.header}</h3>
  </div>
  <div className="content">{card.content}</div>
</div>

There is really nothing wrong with the above, it is a viable approach even though some of you might think that’s a lot of repeated typing of the word className.

You can argue at this point that I can create a component for the card, the card header, and the card content respectively. Yes, we can do that. Then it might look like this instead:

<card header={card.header}>
  {card.content}
</card>

Now, this example may be a bit trivial and it might be a piece of cake to make such a component. Also, we all know how dead easy it is to create components in React.

So what you need to ask yourself is do I really need a component for that, when all I want to do is add some CSS styling and name my HTML element what I please? If this is where your thoughts are heading then maybe styled-components library might be for you?

Installing and setting up styled-components

We can simply install styled-components via NPM, like so:

yarn add styled-components
// OR
npm install — save styled-components

After this, we are ready to go and use it in our React project.

Our first styling

The example the homepage for this library uses is that of buttons. You might end up creating different buttons meant for different purposes in your app. You might have default buttons, primary buttons, disabled buttons and so on. Styled components lib enable you to keep all that CSS in one place. Let’s start off by importing it:

import styled from ‘styled-components’;

Now to use it we need to use double backticks `, like so:

const Button = styled.button``;

At this point, we don’t have anything that works bit it shows you the syntax.

As we can see above we call

styled.nameOfElement`` 

to define a style for our element. Let’s add some style to it:

const Button = styled.button`
  background: black;
  color: white;
  border-radius: 7px;
  padding: 20px;
  margin: 10px;
  font-size: 16px;
  :disabled {
    opacity: 0.4;
  }
  :hover {
    box-shadow: 0 0 10px yellow;
  }
`;

What we can see from the above example is that we are able to use normal CSS properties in combination with pseudo selectors like :disabled and :hover.

If we want to use our Button as part of our JSX we can simply do so, like so:

<div>
  <Button>
    press me
  </Button>
</div>

We can intermix our Button with all the HTML or JSX that we want and we can treat it just like the HTML element button, because it is one, just with some added CSS styling.

Using attributes

The styled-component library can apply styles conditionally by looking for the occurrence of a specified attribute on our element. We can use existing attributes as well as custom ones that we make up.

Below we have an example of defining a primary button. What do we mean with primary versus a normal button? Well in an application we have all sorts of buttons, normally we have a default button but we have also a primary button, this is the most important button on that page and usually carries out things like saving a form.

It’s a quite common scenario to style a primary button in a different way so we see a difference between such a button and a normal button so the user understands the gravity of pushing it.

Let’s now show how we design such a button and showcase the usage of attributes with styled-components. We have our styled Button and we can add the attribute primary, like so:

<Button primary >I am a primary button</Button>

Our next step is updating our Button definition and write some conditional logic for if this attribute primary is present.

We can do so with the following construct:

${props => props.primary && css`
`}

We use the ${} to signal that we are running some conditional logic and we refer to something called props. props is simply a dictionary containing all the attributes on our element. As you can see above we are saying props.primary is to be truthy, it is defined in our attributes dictionary. If that is the case then we will apply CSS styling. We can tell the latter from the above code through our use of css function.

Below we use the above construct add some styling that we should only apply if the primary attribute is present:

const Button = styled.button`
  background: black;
  color: white;
  border-radius: 7px;
  padding: 20px;
  margin: 10px;
  font-size: 16px;
  :disabled {
    opacity: 0.4;
  }
  :hover {
    box-shadow: 0 0 10px yellow;
  }
  ${props => props.primary && css`
    background: green;
    color: white;
  `}
`;

Now we have a more full example of how to test for the existence of a particular attribute. Just one note, we said we needed to use the css function. This is a function that we find in the styled-components namespace and we can, therefore, use it by updating our import statement to look like this:

import styled, { css } from 'styled-components';

Adapting

We’ve shown how we can look at if certain attributes exist but we can also set different values on a property depending on whether an attribute exists.

Let’s have a look at the below code where we change the border-radius depending whether a circle attribute is set:

const Button = styled.button`
  background: black;
  color: white;
  border-radius: 7px;
  padding: 20px;
  margin: 10px;
  font-size: 16px;
  :disabled {
    opacity: 0.4;
  }
  :hover {
    box-shadow: 0 0 10px yellow;
  }
  ${props => props.primary && css`
    background: green;
    color: white;
  `}
  border-radius: ${props => (props.round ? ‘50%’ : ‘7px’)}
`;

The interesting bit of the code is this:

border-radius: ${props => (props.round ? ‘50%’ : ‘7px’)}

We can trigger the above code to be rendered by declaring our Button like so:

<Button round >Round</Button>

Styling an existing component

This one is great for styling 3rd party components or one of your own components. Imagine you have the following components:

// Text.js

import React from 'react';
import PropTypes from 'prop-types';

const Text = ({ text }) => (
  <div> Here is text: {text}</div>
);
Text.propTypes = {
  text: PropTypes.string,
  className: PropTypes.any,
};
export default Text;

Now to style this one we need to use the styled function in a little different way. Instead of typing

styled`` 

we need to call it like a function with the component as a parameter like so:

const DecoratedText = styled(Text)`
  // define styles
`;
<DecoratedText text={I am now decorated} />

In the component we need to take the className as a parameter in the props and assign that to our top-level div, like so:

// Text.js
import React from react;
import PropTypes from prop-types;

const Text = ({ text, className }) => (
  <div className={className}> Here is text: {text}</div>
);
Text.propTypes = {
  text: PropTypes.string,
  className: PropTypes.any,
};
export default Text;

As you can see above calling the styled() function means that it under the hood produces a className that it injects into the component that we need to set to our top-level element, for it to take effect.

Inheritance

We can easily take an existing style and add to it by using the method extend, like so:

const GiantButton = Button.extend`
  font-size: 48px;
`;

Change Styled components

In some cases, you might want to apply the style intended for a specific type of element and have that applied to another type of element. A common example is a button. You might like all the styling a specific button comes with but you might want to apply that on an anchor element instead. Using the withComponent() method allows you to do just that:

const LinkButton = Button.withComponent('a');

The end result of the above operation is an anchor,a tag with all the styling of a Button.

NOTE, if you are on version 3.0 or lower withComponent() is still the way to do this. From 4.0 and forward you are recommended to use the as property, like so:

const Component = styled.div`
  color: red;
`

// Examples
<Component>Hello world!</Component>
<Component as="span">Hello world!</Component>
<Component as={Link} to="home">Hello world!</Component>

Using the attribute function

Sometimes all you need is just to change a small thing in the component styling. For that, the attrs() function allows you to add a property with a value. Let’s illustrate how we can add this:

const FramedText = styled(Text).attrs({ title: framed })`
  border: solid 2px black;
  color: blue;
  font-size: 16px;
  padding: 30px;
`;

Above we have chained styled() and attrs() and we end with a double ` tick. Another example is:

const Button = styled.button.attrs({ title: 'titled' })`
  background: black;
  color: white;
  border-radius: 7px;
  padding: 20px;
  margin: 10px;
  font-size: 16px;
  :disabled {
    opacity: 0.4;
  }
  :hover {
    box-shadow: 0 0 10px yellow;
  }
  ${props => props.primary && css`
    background: green;
    color: white;
  `}
  border-radius: ${props => (props.round ? 50% : 7px)}
`;

 Theming

Styled components export a ThemeProvider that allows us to easily theme our styled-components. To make it work we need to do the following:

  • import the ThemeProvider
  • set it as root Element of the App
  • define a theme
  • refer to a property in theme and set that to the desired CSS property

Set up

In the component where we intend to use a Theme, we need to import and declare a ThemeProvider. Now, this can be either the root element of the entire app or the component you are in. ThemeProvider will inject a theme property inside of either all components or from the component you add it to and all its children. Let’s look at how to add it globally:

ReactDOM.render(
  <ThemeProvider theme={{ color: 'white', bgcolor: 'red' }}>
    <App />
  </ThemeProvider>,
  document.getElementById('root'),
);

Now we are ready to change our components accordingly to start using the theme we set out.

Let’s take the Button component that we defined and have it use our theme, like so:

const Button = styled.button.attrs({ title: 'titled' })`
  background: ${props => props.theme.bgcolor};
  color: ${props => props.theme.color};
  border-radius: 7px;
  padding: 20px;
  margin: 10px;
  font-size: 16px;
  :disabled {
    opacity: 0.4;
  }
  :hover {
   box-shadow: 0 0 10px yellow;
  }
  ${props => props.primary && css`
    background: green;
    color: white;
  `}
  border-radius: ${props => (props.round ? '50%' : '7px')}
`;

Let’s zoom in on what we did:

background: ${props => props.theme.bgcolor};
color: ${props => props.theme.color};

As you can see we are able to access the themes property by writing props.theme.[nameOfThemeProperty].

Theme as a higher-order component factory

If we want to use the theme inside of a component we can do so but we need to use a helper called withTheme(). It takes a component and the theme property to it, like so:

import { withTheme } from 'styled-components';

class TextComponent extends React.Component {
  render() {
    console.log('theme ', this.props.theme);
  }
}
export default withTheme(TextComponent);

Summary

We have introduced a new way of styling our components by using the styled-components library.

We’ve also learned that we get a more semantic looking DOM declaration of our components when we compare it to the classical way of styling using className and assigning said property CSS classes.

Further reading

The official documentation provides some excellent example of how to further build out your knowledge styled-components official documentation

Hopefully, this has convinced you that this is a good way of styling your React components. Since I found this library this is all I ever use, but that’s me, you do you :)

Top comments (6)

Collapse
 
nwrichmond profile image
Nick Richmond • Edited

Such a helpful post! The only issue I had was the syntax highlighting / theme. It was tough to spot the back-ticks and some of the main text in the code examples wherever there was dark red text against a black background.

Collapse
 
softchris profile image
Chris Noring • Edited

Yea, sorry about that. Unsure how to solve it at dev.to. It does look better at my own blog: softchris.github.io/pages/react-st...

Collapse
 
nwrichmond profile image
Nick Richmond

Thanks for the link! Looks great there 😀

Collapse
 
georgecoldham profile image
George

Im currently using StyledComponents in on a live product. I love it.

I feel it is worth mentioning a few issues that people need to be aware of though:

  • Bad code structure makes styled components hell to work with, huge files with somewhat disassociated code.
  • Working with existing more classic css/sass etc. can cause unforseen headaches without a clear source of the issue.
  • There isnt great support for syntax highlighting in the wild. Wrapping a component in variables can cause more syntactical fun. (Other editor issues can be here too. eg. VSCode doesnt understand it and you cant collapse the code blocks.)
  • Easy to create div hell as there is no support for react fragments.

All these problems are project/user specific, and easily avoidable. As this is picked up more, then I imagine these issues will stop being so much of an issue.

I would highly recommend checking out this library as it is amazing to use and makes the components highly readable.

Collapse
 
clarity89 profile image
Alex K.

Nice write up! Maybe it'd be a good idea also to mention that the version of styled components discussed here is 3.x. There have been some significant changes in v4 :)

Also the link to the original article for some reason links me back here, at least on my phone.

Collapse
 
softchris profile image
Chris Noring

Thanks for that Lee. I'll make sure to update