DEV Community

Cover image for Creating a Custom Theme System With TailwindCSS
Nitin Sharma
Nitin Sharma

Posted on • Originally published at locofy.ai

Creating a Custom Theme System With TailwindCSS

TailwindCSS is a utility-first CSS framework popular among developers for its huge number of pre-built classes that make styling web apps a snap. 

To make the concepts clear, we have been creating tutorials on numerous TailwindCSS topics, including how to set it up and configure TailwindCSS in a React project, how to create a responsive flex layout, a navigation bar, an appealing hero section, and even an entire page with it.

In this tutorial, we will take our exploration of TailwindCSS a step further and delve into creating a custom theme system that is not only dynamic but also highly customizable. 

This will enable you to create a uniform & unique look and feel for your web application, tailored to your specific needs and preferences.

Setting Up the Development Environment

To begin, we should install and set up TailwindCSS within our React app, as detailed below.

  • Create a React app by running the command:
npx create-react-app my-app
Enter fullscreen mode Exit fullscreen mode
  • Next, install TailwindCSS and other dependencies like postcss and autoprefixer using the command:
npm install -D tailwindcss postcss autoprefixer
Enter fullscreen mode Exit fullscreen mode
  • Create config files by running the command: npx tailwindcss init -p and open the tailwind.config.css file and replace the content with the provided code snippet.
/** @type {import('tailwindcss').Config} */

module.exports = {
content: [
   "./src/**/*.{js,jsx,ts,tsx}",
 ],
 theme: {
   extend: {},
 },
 plugins: [],
}
Enter fullscreen mode Exit fullscreen mode
  • Lastly, paste the following code snippet inside the src/index.css file:
@tailwind base;
@tailwind components;
@tailwind utilities;
Enter fullscreen mode Exit fullscreen mode

You can now use TailwindCSS in your React app. Here is the blog article covering the installation process in-depth.


A Deep Dive into the Default Theme System

We know, TailwindCSS is a well-known framework among developers, and it’s commonly used in various projects. 

One of its advantages is the default theme system, which offers a comprehensive collection of pre-defined settings for design-related attributes such as colors, fonts, and spacing.

When using TailwindCSS with React, you can apply these classes directly to your JSX components using the className property.

For instance, if you want to set the background color to grey, you can use the bg-gray class, or if you want to adjust the font size to tiny, you can use the text-sm class.

Here’s a simple example.

import React from 'react';

function App() {
 return (
   <div className="bg-gray-500 p-4 h-screen w-screen">
     <h1 className="text-xl">Hello, world!</h1>
   </div>
 );
}

export default App
Enter fullscreen mode Exit fullscreen mode

In this example, the “div” element has a gray background (bg-gray) and a padding of 16px (p-4). Similar to this, we added some CSS to the paragraph tag.

Although the default theme system for TailwindCSS offers a lot of useful pre-defined options, there may be times when you want to alter your application’s appearance in ways that go beyond what the default system allows. A customized theme system may be employed in such specific situations.

Let’s explore that.


The Power of Custom Theming in TailwindCSS

If you wish to use TailwindCSS’s custom theme system, you must first create a JavaScript object with the appropriate properties, which you must then pass to the theme configuration option when configuring your TailwindCSS instance.

Thankfully, TailwindCSS already has a tailwind.config.js file that can be used to easily add any custom CSS settings. This file can be found in the root directory of your application.

Here is an example of how to implement this in the tailwind.config.js file:

/** @type {import('tailwindcss').Config} */
module.exports = {
 content: [
   "./src/**/*.{js,jsx,ts,tsx}",
 ],
 theme: {
   extend: {
     colors: {
       primary: 'black',
       secondary: 'white',
     },
     fontFamily: {
       serif: ['serif'],
     },
     fontSize: {
       '2xl': '12.5rem',
     },
   },
 },
 plugins: [],
}
Enter fullscreen mode Exit fullscreen mode

In the theme section, we can also define a color palette, fonts, border sizes, breakpoints, or anything else related to the visual design of your site.

Now, let’s use those custom CSS properties inside the App.js file.

import React from 'react';

function App() {
 return (
   <div className="bg-primary text-secondary font-serif">
     <p className='text-2xl'> Hello, world!</p>
   </div>
 );
}
export default App
Enter fullscreen mode Exit fullscreen mode

Moreover, if you want a specific file instead of tailwind.config.css, you may edit the file name as well.

npx tailwindcss init custom-file.js
Enter fullscreen mode Exit fullscreen mode

Then afterward, you only need to specify the file name within the postcss.config.js file located in the root directory.

module.exports = {
  plugins: {
    tailwindcss: { config: './custom-file.js' },
  },
}
Enter fullscreen mode Exit fullscreen mode

Indeed, there are other options for configuring your default Tailwind CSS file, but this is the best one.


An In-Depth Look at Dynamic Themes

You can also change the themes dynamically in addition to customizing them.

In short, using Tailwind CSS’s dynamic theming, you can effortlessly modify the visual design of your application based on many factors like user preferences or actions.

Let’s make the process a bit more complex by adding CSS variables to dynamically specify custom properties.

Here’s an example:

1. Add CSS variables

Inside App.css, define some global CSS variables.

:root {
 --primary: black;
 --secondary: white;
}
Enter fullscreen mode Exit fullscreen mode

Here, we are simply defining CSS properties.

2. Configure TailwindCSS properties

Inside tailwind.config.css, add the following:

/** @type {import('tailwindcss').Config} */
module.exports = {
 content: [
   "./src/**/*.{js,jsx,ts,tsx}",
 ],
 theme: {
   extend: {
     colors: {
       primary: 'var(--primary)',
       secondary: 'var(--secondary)',
     },
   },
 },
 plugins: [],
}
Enter fullscreen mode Exit fullscreen mode

Here, we are using the CSS properties that we have defined inside App.css. If you want to deep dive into CSS variables, we even have a tutorial based on that.

3. Use the theme

You can use the theme inside App.js as shown below:

import React, { useState } from 'react';
import React, { useState } from 'react';
import './App.css';

function App() {
 const [darkMode, setDarkMode] = useState(false);

 function toggleMode() {
   setDarkMode(!darkMode);
 }

 const buttonClass = darkMode ? 'bg-secondary text-primary' : 'bg-primary text-secondary';

 const buttonStyles = {
   boxShadow: `0px 2px 0px var(--color-${darkMode ? 'secondary' : 'primary'})`,
 };

 return (
   <div className={`${darkMode ? 'bg-primary text-secondary' : 'bg-secondary text-primary'} flex justify-center items-center h-screen w-screen`}>
     <button className={`rounded-md py-2 px-4 ${buttonClass}`} style={buttonStyles} onClick={toggleMode}>
       {darkMode ? 'Light Mode' : 'Dark Mode'}
     </button>
   </div>
 );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

In this example, we’ve created a functional React component that displays a toggle button that switches between bright and dark modes. The component stores the current mode (light or dark) in the useState hook and updates it when the button is clicked on.

Finally, the component returns a div with the current mode’s class and style, as well as a button with the buttonClass and buttonStyles applied to it.


Unlocking the Full Potential: Customizing Your Screen, Plugins, and Presets for Better Results

Previously, we acquired knowledge on how to customize the theme in a straightforward manner, as well as modify themes dynamically with CSS variables. 

However, it is also possible to customize the screen size, and color, and expand further to elements such as border-radius and spacing.

Like this:

module.exports = {
  theme: {
    screens: {
      sm: '480px',
      md: '768px',
      lg: '976px',
      xl: '1440px',
    },
    colors: {
      'blue': '#1fb6ff',
      'pink': '#ff49db',
      'orange': '#ff7849',
    },
    fontFamily: {
      sans: ['Graphik', 'sans-serif'],
      serif: ['Merriweather', 'serif'],
    },
    extend: {
      spacing: {
        '128': '32rem',
        '144': '36rem',
      },
      borderRadius: {
        '4xl': '2rem',
      }
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

In addition, third-party plugins can also be integrated.

For example, there is an official TailwindCSS plugin named @tailwindcss/typography that you can simply integrate and use the underlying style attributes with. This plugin lets us apply beautiful typographic defaults to our HTML elements.

First, install the plugin as a dev dependency.

npm install -D @tailwindcss/typography
Enter fullscreen mode Exit fullscreen mode

And you have to import it inside your tailwind.config.css file inside the plugin section.

/** @type {import('tailwindcss').Config} */
module.exports = {
 content: [
   "./src/**/*.{js,jsx,ts,tsx}",
 ],
 theme: {},
 plugins: [
   require('@tailwindcss/typography'),
 ],
}
Enter fullscreen mode Exit fullscreen mode

And then use it like this:

import React from 'react'

function App() {
 return (
   <div className='flex justify-center items-center h-screen w-screen'>
     <article className="prose">
       <h1>Hello Everyone</h1>
       <blockquote>
         <p>It's a great day in Locofy</p>
       </blockquote>
       <p>
         Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.
       </p>
       <ul>
         <li>Lorem ipsum dolor sit amet.</li>
         <li>Lorem ipsum dolor sit amet.</li>
       </ul>
       <p>
         Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.
       </p>
       <pre>
         <div className="bg-primary text-secondary font-serif text-2xl">
           <p className='text-2xl'> Hello, world!</p>
         </div>
       </pre>
     </article>
   </div>
 )
}

export default App
Enter fullscreen mode Exit fullscreen mode

As you can see, just passing a “prose” class provides a better style, similar to markdown or a CMS database.

And here is the output:

Output

Finally, an additional option to customize is using Presets.

In conclusion, Tailwind provides you with a design system that is very easy to manage, and at the same time, it is quite powerful as well. While you can convert your UI designs in Figma & Adobe XD to code faster with Tailwind, it still requires a lot of effort and trial & error to get right.

Creating the pixel-perfect clone of your design files in React is no easy feat and requires several weeks of effort depending upon the complexity of your app. This is where Locofy.ai can help you.

With the Locofy.ai plugin for Figma and Adobe XD, you can convert your designs to production-ready front-end code that works out-of-the-box with TailwindCSS, as well as prominent UI libraries such as Material UI and Bootstrap.

What’s more is that you can even use drag-and-drop components offered by the plugin to quickly build designs & export responsive code in React, Next.js, Gatsby, React Native, and HTML-CSS.


Hope you like it.

That's it--thanks.

Top comments (0)