A Complete Guide to Dark Mode on the Web | CSS-Tricks (2024)

Dark mode has gained a lot of traction recently. Like Apple, for instance, has added dark mode to its iOS and MacOS operating systems. Windows and Google have done the same.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (1)

Let’s get into dark mode in the context of websites. We’ll delve into different options and approaches to implementing a dark mode design and the technical considerations they entail. We’ll also touch upon some design tips along the way.

Table of Contents

  1. Toggling Themes
  2. Dark Mode at the Operating System Level
  3. Storing a User’s Preferences
  4. Handling User Agent Styles
  5. Combining Approaches
  6. Design Considerations
  7. Dark Mode in the Wild
  8. Dark Mode or No Dark Mode?

Toggling Themes

The typical scenario is that you already have a light theme for your site, and you’re interested in making a darker counterpart. Or, even if you’re starting from scratch, you’ll have both themes: light and dark. One theme should be defined as the default that users get on first visit, which is the light theme in most cases (though we can let the user’s browser make that choice for us, as we’ll see). There also should be a way to switch to the other theme (which can be done automatically, as we’ll also see) — as in, the user clicks a button and the color theme changes.

There several approaches to go about doing this:

Using a Body Class

The trick here is to swap out a class that can be a hook for changing a style anywhere on the page.

<body class="dark-theme || light-theme">

Here’s a script for a button that will toggle that class, for example:

// Select the buttonconst btn = document.querySelector('.btn-toggle');// Listen for a click on the buttonbtn.addEventListener('click', function() { // Then toggle (add/remove) the .dark-theme class to the body document.body.classList.toggle('dark-theme'); })

Here’s how we can use that idea:

<body> <button class="btn-toggle">Toggle Dark Mode</button> <h1>Hey there! This is just a title</h1> <p>I am just a boring text, existing here solely for the purpose of this demo</p> <p>And I am just another one like the one above me, because two is better than having only one</p> <a href="#">I am a link, don't click me!</a></body>

The general idea of this approach is to style things up as we normally would, call that our“default”mode, then create a complete set of color styles using a class set on the<body>element we can use as a“dark”mode.

Let’s say our default is a light color scheme. All of those“light”styles are written exactly the same way you normally write CSS. Given our HTML, let’s apply some global styling to the body and to links.

body { color: #222; background: #fff;}a { color: #0033cc;}

Good good. We have dark text(#222)and dark links(#0033cc)on a light background(#fff).Our“default”theme is off to a solid start.

Now let’s redefine those property values, this time set on a different body class:

body { color: #222; background: #fff;}a { color: #0033cc;}
/* Dark Mode styles */body.dark-theme { color: #eee; background: #121212;}body.dark-theme a { color: #809fff;}

Dark theme styles will be descendants ofthesame parent class— which is.dark-themein this example— whichwe’ve appliedto the<body>tag.

How do we“switch”body classes to access the dark styles? We can use JavaScript! We’ll select the button class(.btn-toggle),add a listener for when it’s clicked, then add the dark theme class(.dark-theme)to the body element’s class list. That effectively overrides all of the“light”colors we set, thanks to the cascade and specificity.

Here’s the complete code working in action. Click the toggle button to toggle in and out of dark mode.

Using Separate Stylesheets

Rather than keeping all the styles together in one stylesheet, we could instead toggle between stylesheets for each theme. This assumes you have full stylesheets ready to go.

For example, a default light theme likelight-theme.css:

/* light-theme.css */
body { color: #222; background: #fff;}a { color: #0033cc;}

Thenwecreate styles for the dark theme and savethemin a separate stylesheet we’re callingdark-theme.css.

/* dark-theme.css */
body { color: #eee; background: #121212;}body a { color: #809fff;}

This gives us twoseparatestylesheets— onefor each theme— we can link up in the HTML<head>section. Let’s link up the light styles first since we’re calling those the default.

<!DOCTYPE html><html lang="en"><head> <!-- Light theme stylesheet --> <link href="light-theme.css" rel="stylesheet" id="theme-link"></head>
<!-- etc. -->
</html>

We are usinga#theme-linkIDthat we can select with JavaScriptto, again, toggle between light and dark mode. Only this time, we’re toggling files instead of classes.

// Select the buttonconst btn = document.querySelector(".btn-toggle");// Select the stylesheet <link>const theme = document.querySelector("#theme-link");// Listen for a click on the buttonbtn.addEventListener("click", function() { // If the current URL contains "ligh-theme.css" if (theme.getAttribute("href") == "light-theme.css") { // ... then switch it to "dark-theme.css" theme.href = "dark-theme.css"; // Otherwise... } else { // ... switch it to "light-theme.css" theme.href = "light-theme.css"; }});

Using Custom Properties

Wecanalsoleverage the power of CSScustom propertiesto create a dark theme!It helps us avoid having to write separate style rulesets for each theme, making it a lot faster to write styles and a lot easier to make changes to a theme if we need to.

We still might choose to swap a body class, and use that class to re-set custom properties:

// Select the buttonconst btn = document.querySelector(".btn-toggle");
// Listen for a click on the buttonbtn.addEventListener("click", function() { // Then toggle (add/remove) the .dark-theme class to the body document.body.classList.toggle("dark-theme");});

First,let’s define the default light color values as custom properties on the body element:

body { --text-color: #222; --bkg-color: #fff; --anchor-color: #0033cc;}

Now we can redefine those values on a.dark-themebody class just like we did in the first method:

body.dark-theme { --text-color: #eee; --bkg-color: #121212; --anchor-color: #809fff;}

Here are our rulesets for the body and link elements using custom properties:

body { color: var(--text-color); background: var(--bkg-color);}a { color: var(--anchor-color);}

We could just as well have defined our custom properties inside the document :root. That’s totally legit and even common practice. In that case, all the default theme styles definitions would go inside :root { } and all of the dark theme properties go inside:root.dark-mode { }.

Using Server-Side Scripts

If we’re already working with a server-side language, say PHP,then we can use it instead of JavaScript. This is a great approach if you prefer working directly in the markup.

<?php$themeClass = '';if (isset($_GET['theme']) && $_GET['theme'] == 'dark') { $themeClass = 'dark-theme';}
$themeToggle = ($themeClass == 'dark-theme') ? 'light' : 'dark';?><!DOCTYPE html><html lang="en"><!-- etc. --><body class="<?php echo $themeClass; ?>"> <a href="?theme=<?php echo $themeToggle; ?>">Toggle Dark Mode</a> <!-- etc. --></body></html>

We can have the user send a GET or POST request. Then,we let our code(PHPin this case)applythe appropriatebodyclass when the page is reloaded. I am using a GET request (URL params) for the purpose of this demonstration.

And, yes, wecanswap stylesheets just like we did in the second method.

<?php$themeStyleSheet = 'light-theme.css';if (isset($_GET['theme']) && $_GET['theme'] == 'dark') { $themeStyleSheet = 'dark-theme.css';}
$themeToggle = ($themeStyleSheet == 'dark-theme.css') ? 'light' : 'dark';?><!DOCTYPE html><html lang="en"><head> <!-- etc. --> <link href="<?php echo $themeStyleSheet; ?>" rel="stylesheet"></head>
<body> <a href="?theme=<?php echo $themeToggle; ?>">Toggle Dark Mode</a> <!-- etc. --></body></html>

This method has an obvious downside: the page needs to be refreshed for the toggleto take place. But a server-side solution like this is useful in persisting the user’s theme choice across page reloads, as we will see later.

Which method should you choose?

The “right” method comes down to the requirements of your project. If you are doing a large project, for example, you might go with CSS properties to help wrangle a large codebase. On the other hand, if your project needs to support legacy browsers, then another approach will need to do instead.

Moreover, there’s nothing saying we can only use one method. Sometimes a combination of methods will be the most effective route. There may even be other possible methods than what we have discussed.

Dark Mode at the Operating System Level

So far, we’ve used a button to toggle between light and dark mode but we can simply let the user’s operating system do that lifting for us. For example, many operating systems let users choose between light and dark themes directly in the system settings.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (2)

Pure CSS

Details

Fortunately, CSS has aprefers-color-schememedia querywhich can be used to detect user’s system color scheme preferences. It can have three possible values:no preference,lightanddark. Read more about iton MDN.

@media (prefers-color-scheme: dark) { /* Dark theme styles go here */}
@media (prefers-color-scheme: light) { /* Light theme styles go here */}

To use it, we can put the dark theme styles inside the media query.

@media (prefers-color-scheme: dark) { body { color: #eee; background: #121212; }
 a { color: #809fff; }}

Now, if a user hasenableddark mode fromthesystem settings, theywillget the dark mode stylesby default.We don’t have to resort to JavaScript or server-side scripts to decide which mode to use. Heck, we don’t even need the button anymore!

JavaScript

Details

We can turn toJavaScript to detect theuser’s preferredcolor scheme.This is a lot like the first method we worked with, only we’re usingmatchedMedia()to detect the user’s preference.

const prefersDarkScheme = window.matchMedia('(prefers-color-scheme: dark)');nnif (prefersDarkScheme.matches) {n document.body.classList.add('dark-theme');n} else {n document.body.classList.remove('dark-theme');n}

There is a downside to using JavaScript: there will likely be a quick flash of the light themeas JavaScript is executed after the CSS.That could be misconstrued as a bug.

And, of course, we can swap stylesheets instead like we did in the second method. This time, we link up both stylesheets and use the media query to determine which one is applied.

Overriding OS Settings

We just looked at how to account for a user’s system-wide color scheme preferences. But what if users want to override their system preference for a site? Just because a user prefers dark mode for their OS doesn’t always mean they prefer it on a website. That’s why providing a way to manually override dark mode, despite the system settings, is a good idea.

View Code

Let’s use the CSS custom properties approach to demonstrate how to do this. The idea is to define the custom properties for both themes like we did before, wrap dark styles up in the prefers-color-scheme media query, then define a .light-theme class inside of that we can use to override the dark mode properties, should the user want to toggle between the two modes.

/* Default colors */body { --text-color: #222; --bkg-color: #fff;}/* Dark theme colors */body.dark-theme { --text-color: #eee; --bkg-color: #121212;}/* Styles for users who prefer dark mode at the OS level */@media (prefers-color-scheme: dark) { /* defaults to dark theme */ body { --text-color: #eee; --bkg-color: #121212; } /* Override dark mode with light mode styles if the user decides to swap */ body.light-theme { --text-color: #222; --bkg-color: #fff; }}

Now we can turn back to our trusty button to toggle between light and dark themes. This way, we’re respecting the OS color preference by default and allowing the user to manually switch themes.

// Listen for a click on the buttonbtn.addEventListener("click", function() { // If the OS is set to dark mode... if (prefersDarkScheme.matches) { // ...then apply the .light-theme class to override those styles document.body.classList.toggle("light-theme"); // Otherwise... } else { // ...apply the .dark-theme class to override the default light styles document.body.classList.toggle("dark-theme"); }});

Browser Support

The prefers-color-scheme media query feature enjoys support by major browsers, including Chrome 76+, Firefox 67+, Chrome Android 76+, Safari 12.5+ (13+ on iOS), and Samsung Internet Browser. It doesn’t support IE.

That’s a promising amount of support! Can I Use estimates 80.85% of user coverage.

Operating systems that currently support dark mode include MacOS (Mojave or later), iOS (13.0+), Windows (10+), and Android (10+).

Storing a User’s Preference

What we’ve looked at so far definitely does what it says in the tin: swap themes based on an OS preference or a button click. This is great, but doesn’t carry over when the user either visits another page on the site or reloads the current page.

We need to save the user’s choice so that it will be applied consistently throughout the site and on subsequent visits. To do that, we can save the user’s choice to the localStorage when the theme is toggled. Cookies are also well-suited for the job.

Let’s look at both approaches.

Using localStorage

We have a script that saves the selected theme to localStorage when the toggle takes place. In other words, when the page is reloaded, the script fetches the choice from localStorage and applies it. JavaScript is often executed after CSS, so this approach is prone to a “flash of incorrect theme” (FOIT).

View Code
// Select the buttonconst btn = document.querySelector(".btn-toggle");// Select the theme preference from localStorageconst currentTheme = localStorage.getItem("theme");
// If the current theme in localStorage is "dark"...if (currentTheme == "dark") { // ...then use the .dark-theme class document.body.classList.add("dark-theme");}
// Listen for a click on the buttonbtn.addEventListener("click", function() { // Toggle the .dark-theme class on each click document.body.classList.toggle("dark-theme"); // Let's say the theme is equal to light let theme = "light"; // If the body contains the .dark-theme class... if (document.body.classList.contains("dark-theme")) { // ...then let's make the theme dark theme = "dark"; } // Then save the choice in localStorage localStorage.setItem("theme", theme);});

Using Cookies with PHP

To avoid FLIC, we can use a server-side script like PHP. Instead of saving the user’s theme preference in localStorage, we will create a cookie from JavaScript and save it there. But again, this may only be feasible if you’re already working with a server-side language.

View Code
// Select the buttonconst btn = document.querySelector(".btn-toggle");
// Listen for a click on the buttonbtn.addEventListener("click", function() { // Toggle the .dark-theme class on the body document.body.classList.toggle("dark-theme"); // Let's say the theme is equal to light let theme = "light"; // If the body contains the .dark-theme class... if (document.body.classList.contains("dark-theme")) { // ...then let's make the theme dark theme = "dark"; } // Then save the choice in a cookie document.cookie = "theme=" + theme;});

We can now check for the existence of that cookie and load the appropriate theme by applying the proper class to the <body> tag.

<?php$themeClass = '';if (!empty($_COOKIE['theme']) && $_COOKIE['theme'] == 'dark') { $themeClass = 'dark-theme';}?>
<!DOCTYPE html><html lang="en"><!-- etc. --><body class="<?php echo $themeClass; ?>"><!-- etc. --></body></html>

Here is how to do that using the separate stylesheets method:

<?php$themeStyleSheet = 'light-theme.css';if (!empty($_COOKIE['theme']) && $_COOKIE['theme'] == 'dark') { $themeStyleSheet = 'dark-theme.css';}?>
<!DOCTYPE html><html lang="en"><head> <!-- etc. --> <link href="<?php echo $themeStyleSheet; ?>" rel="stylesheet" id="theme-link"></head><!-- etc. -->

If your website has user accounts — like a place to log in and manage profile stuff — that’s also a great place to save theme preferences. Send those to the database where user account details are stored. Then, when the user logs in, fetch the theme from the database and apply it to the page using PHP (or whatever server-side script).

There are various ways to do this. In this example, I am fetching the user’s theme preference from the database and saving it in a session variable at the time of login.

<?php// Login actionif (!empty($_POST['login'])) { // etc.
 // If the uuser is authenticated... if ($loginSuccess) { // ... save their theme preference to a session variable $_SESSION['user_theme'] = $userData['theme']; }}
// Pick the session variable first if it's set; otherwise pick the cookie$themeChoice = $_SESSION['user_theme'] ?? $_COOKIE['theme'] ?? null;$themeClass = '';if ($themeChoice == 'dark') { $themeClass = 'dark-theme';}?>
<!DOCTYPE html><html lang="en"><!-- etc. --><body class="<?php echo $themeClass; ?>"><!-- etc. --></body></html>

I am using PHP’s null coalesce operator (??) to decide where to pick the theme preference: from the session or from the cookie. If the user is logged in, the value of the session variable is taken instead that of the cookie. And if the user is not logged in or has logged out, the value of cookie is taken.

Handling User Agent Styles

To inform the browser UA stylesheet about the system color scheme preferences and tell it which color schemes are supported in the page, we can use the color-scheme meta tag.

For example, let’s say the page should support both “dark” and “light” themes. We can put both of them as values in the meta tag, separated by spaces. If we only want to support a “light” theme, then we only need to use “light” as the value. This is discussed in a CSSWG GitHub issue, where it was originally proposed.

<meta name="color-scheme" content="dark light">

When this meta tag is added, the browser takes the user’s color scheme preferences into consideration when rendering UA-controlled elements of the page (like a <button>). It renders colors for the root background, form controls, and spell-check features (as well as any other UA-controlled styles) based on the user’s preference.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (3)

Although themes are manually styled for the most part (which overrides the UA styles), informing the browser about the supported themes helps to avoid even the slightest chance of a potential FOIT situation. This is true for those occasions where HTML has rendered but CSS is still waiting to load.

We can also set this in CSS:

:root { color-scheme: light dark; /* both supported */}
A Complete Guide to Dark Mode on the Web | CSS-Tricks (4)

At the time of writing, the color-scheme property lacks broad browser support, though Safari and Chrome both support it.

Combining all the things!

Let’s combine everything and create a working demo that:

  1. Automatically loads a dark or light theme based on system preferences
  2. Allows the user to manually override their system preference
  3. Maintains the user’s preferred theme on page reloads

Using JavaScript & Local Storage

// Select the buttonconst btn = document.querySelector(".btn-toggle");// Check for dark mode preference at the OS levelconst prefersDarkScheme = window.matchMedia("(prefers-color-scheme: dark)");
// Get the user's theme preference from local storage, if it's availableconst currentTheme = localStorage.getItem("theme");// If the user's preference in localStorage is dark...if (currentTheme == "dark") { // ...let's toggle the .dark-theme class on the body document.body.classList.toggle("dark-mode");// Otherwise, if the user's preference in localStorage is light...} else if (currentTheme == "light") { // ...let's toggle the .light-theme class on the body document.body.classList.toggle("light-mode");}
// Listen for a click on the buttonbtn.addEventListener("click", function() { // If the user's OS setting is dark and matches our .dark-mode class... if (prefersDarkScheme.matches) { // ...then toggle the light mode class document.body.classList.toggle("light-mode"); // ...but use .dark-mode if the .light-mode class is already on the body, var theme = document.body.classList.contains("light-mode") ? "light" : "dark"; } else { // Otherwise, let's do the same thing, but for .dark-mode document.body.classList.toggle("dark-mode"); var theme = document.body.classList.contains("dark-mode") ? "dark" : "light"; } // Finally, let's save the current preference to localStorage to keep using it localStorage.setItem("theme", theme);});

Using PHP & Cookies

<?php$themeClass = '';if (!empty($_COOKIE['theme'])) { if ($_COOKIE['theme'] == 'dark') { $themeClass = 'dark-theme'; } else if ($_COOKIE['theme'] == 'light') { $themeClass = 'light-theme'; } }?>
<!DOCTYPE html><html lang="en"><!-- etc. --><body class="<?php echo $themeClass; ?>"><!-- etc. --><script> const btn = document.querySelector(".btn-toggle"); const prefersDarkScheme = window.matchMedia("(prefers-color-scheme: dark)"); btn.addEventListener("click", function() { if (prefersDarkScheme.matches) { document.body.classList.toggle("light-mode"); var theme = document.body.classList.contains("light-mode") ? "light" : "dark"; } else { document.body.classList.toggle("dark-mode"); var theme = document.body.classList.contains("dark-mode") ? "dark" : "light"; } document.cookie = "theme=" + theme; });</script></body></html>

Design Considerations

I often hear that implementing dark mode is easier than designing one. While I’ll refrain from judgement, let’s look at some considerations for designing a dark theme.

You already know the basic task: swap lighter color values for darker ones and vice versa. But there are some UI elements and enhancements that are more nuanced and require more attention. Let’s take a look at those.

Dark Mode Images

A good rule is to decrease the brightness and contrast of images a bit so that it looks comfortable to the eyes when it’s against a dark background. A super bright image on a super dark background can be jarring and dimming the image reduces some of that heavy contrast.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (5)A Complete Guide to Dark Mode on the Web | CSS-Tricks (6)

The CSS filter() function is more than capable of handling this for us:

/* Apply the filter directly on the body tag */body.dark-theme img { filter: brightness(.8) contrast(1.2);}
/* Or apply it via media query */@media (prefers-color-scheme: dark) { img { filter: brightness(.8) contrast(1.2); }}

We can do the same sort of thing directly in the markup using the <picture> element to load different versions of an image:

<picture> <!-- Use this image if the user's OS setting is light or unset --> <source srcset="photo-light.png" media="(prefers-color-scheme: light) or (prefers-color-scheme: no-preference)"> <!-- Use this image if the user's OS setting is dark --> <source srcset="photo-dark.png" media="(prefers-color-scheme: dark)"></picture>

The downside here is that it requires supplying two files where we only have to deal with one when using CSS. This also doesn’t fully account for the user toggling the color theme on the site.

Dark Mode Shadows

Dark mode shadows are tricky. If we simply invert a dark shadow using light colors, then we get this funky thing with a light shadow on a dark background… and it’s not a good look.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (7)A Complete Guide to Dark Mode on the Web | CSS-Tricks (8)

It’s possible to use a dark shadow in dark mode, but the background color has to be “light” enough (like a dark gray) to provide enough contrast to actually see the shadow against it.

🔥 When implementing dark mode, don’t throw away the visual cues in the light version by naively inverting the color scheme.

Close elements should still be lighter and distant elements should still be darker – even in a dark UI. pic.twitter.com/RNxgIppDmn

— Steve Schoger (@steveschoger) July 16, 2019

Use opacity to convey depth, with high opacity regions having a lower depth. That’s to say, elements that have a higher elevation should have a lower opacity than elements that are “closer” in depth to the background.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (9)

Dark Mode Typography

The trick here is a lot like images: we’ve gotta balance the contrast. Use too heavy of a font and we get blaring text that’s makes us want to move away from the screen. Use too light of a font and we’ll strain our eyes while inching toward the screen to get a closer look.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (10)A Complete Guide to Dark Mode on the Web | CSS-Tricks (11)

The balance is somewhere in the middle. Robin has a nice write-up where he suggests a small bit of CSS that makes a big difference in legibility.

Dark Mode Icons

Icons fall into this “tricky” category because they’re sort of a cross between text and images. If we’re working with SVG icons, though, we can change the fill with CSS. On the other hand, if we’re using font icons, we can simply change the color property instead.

/* SVG icon */body.dark-theme svg.icon path { fill: #efefef;}/* Font icon (using Font Awesome as an example) */body.dark-theme .fa { color: #efefef;}

A lot of the same design considerations that are true for text, are also generally applicable to icons. For example, we ought to avoid using full white and heavy outlines.

Dark Mode Colors

Pure white text on a pure black background will look jarring. The trick here is to use an off-white for the text and off-black for the background. Material Design Guidelines for example recommends #121212 for the background.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (12)A Complete Guide to Dark Mode on the Web | CSS-Tricks (13)

Dark Mode Color Palettes

We’ve seen the difference using off-white and off-black colors makes for text and images. Let’s expand on that a bit with tips on how to develop a full color palette.

Most things boil down to one thing: contrast. That’s why the first tip before settling on any color is to run ideas through a contrast checker to ensure color ratios conform to WCAG’s guidelines for at least a AA rating, which is a contrast ratio of 4.5:1.

That means desaturated colors are our friends when working with a dark mode design. They help prevent overbearingly bright images and still give us plenty of room to create an effective contrast ratio.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (14)A Complete Guide to Dark Mode on the Web | CSS-Tricks (15)

Next, remember that accent colors are meant to be enhancements. They’re likely brighter than the dark theme background color, so using them like a primary color or the background color of a large container is just as jarring and hard on the eyes as a bright image or heavy white text.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (16)A Complete Guide to Dark Mode on the Web | CSS-Tricks (17)

If contrast is the balance we’re trying to strike, then remember that dark mode is more than blacks and grays. What about dark blue background with pale yellow text? Or dark brown with tan? There’s an entire (and growing) spectrum of color out there and we can leverage any part of it to fuel creativity.

A few examples of colors that are dark without resorting to full-on black:

#232B32

#152028

#202945

Material Design’s guidelines on dark mode is a handy resource on best practices for dark mode design. It’s definitely worth a read for more tips to keep in mind.

Dark Mode in the Wild

  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (18)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (19)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (20)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (21)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (22)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (23)
  • A Complete Guide to Dark Mode on the Web | CSS-Tricks (24)

YouTube uses the CSS variables technique. They’ve defined all their colors in variables under the html selector while dark mode colors are defined under html:not(.style-scope)[dark]. When dark mode is enabled, YouTube adds a dark="true" attribute to the <html> tag. This is what they use to override the variables defined in the HTML.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (25)

In the wild, the CSS custom properties approach seems to be most popular. It’s being used by Dropbox Paper, Slack, and Facebook.

Simplenote uses the class-swapping method where all light style rules are descendants of a .theme-light parent class and all the dark styles fall under a .theme-dark class. When the theme is toggled, the appropriate class is applied to the <body> tag.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (26)

Twitter goes the extra mile and offers several themes to choose from: “Default,” “Dim,” and “Lights out.” The “Dim” option employs dark blue for a background color. Compare that to “Lights out” which uses a stark black.

A Complete Guide to Dark Mode on the Web | CSS-Tricks (27)

Dark mode or no dark mode? That is the question.

There are perfectly valid reasons on both sides. Some of those reasons even go beyond the scope of user experience and include things like timing, budget and resources.

While being considerate of why you might not want to implement a dark mode, here are reasons why you might want to have one:

  • It’s cool and trendy (although that’s not a reason alone to do it)
  • It enhances accessibility by supporting users who are sensitive to eye strain in starkly bright themes.
  • It allows users to decide the most comfortable way to consume content while providing us a way to maintain control over the look and feel of things. Remember, we want to beat the Reader Mode button!
  • It helps to preserve battery life for devices with OLED screen where brighter colors consume more energy.
  • It’s extremely popular and appears to be going nowhere. It’s possible that your users who prefer a dark mode (like me!) will expect your site to have one. Might as well be ready for it.
A Complete Guide to Dark Mode on the Web | CSS-Tricks (2024)

FAQs

How to make dark mode with CSS? ›

To make a dark theme using CSS variables, start by setting up variables for your colors in the CSS root, like this: ``` :root { --background-color: white; --text-color: black; } ``` Then, make a dark theme by changing these colors: ``` .

How to code a dark mode? ›

Steps to Create Dark/Light Mode
  1. Create an HTML Document.
  2. Create CSS for the document file as well as for dark mode.
  3. Add a switch/toggler to toggle between light and dark modes.
  4. Add functionality to the switch/toggler to toggle between light and dark mode using JavaScript or jQuery code.
May 14, 2024

How do I force dark mode on every website in brave? ›

To enable the “Force Dark Mode” flag, go to brave://flags/#enable-force-dark and set the flag to “Enabled”.

How do I force dark mode for web contents in Chrome? ›

If you want to force dark mode for websites that do not support it, open Chrome, type 'chrome://flags' in the address bar and hit enter. On the page that shows up, type 'dark mode' in the search bar and you will see a flag named 'Auto Dark mode for web contents'.

What is code in the dark CSS? ›

What is Code in the Dark. Code in the Dark is a front-end (HTML, CSS) competition, originating from Tictail, where each contestant compete to implement a website design given only a screenshot. The catch is that no previews of the results are allowed during the implementation, and no measuring tools can be used.

How to make a dark background in CSS? ›

CSS background-image property allows layering multiple backgrounds. To darken an image, combine a black `linear-gradient` as the front layer and the image as the back layer. Adjust the gradient's opacity to control the darkening effect. Specify the front layer first in the order of `background-image`.

How do I unlock dark mode? ›

Open your device's Settings app . Select Accessibility. Under "Color and motion," turn on Dark theme.

How to make websites dark mode? ›

Set Up Dark Mode in Chrome
  1. Open Settings > Appearance > Theme.
  2. Scroll down to Dark & Black Themes.
  3. Select View All.
  4. Select a theme to see more information.
  5. Tap Add to Chrome to replace your current browser theme.
  6. To return to normal, navigate to Settings > Appearance > Reset to default.
Jan 2, 2024

How do I force dark mode settings? ›

Change the appearance of web content

Enter the following address in your URL bar: chrome://flags/#enable-force-dark. This will bring up a hidden Chrome settings menu and the Force Dark Mode option. Go to the drop-down menu next to Force Dark Mode and select Enabled.

What is the best dark mode extension for Brave browser? ›

CELAB seems to be the better one and this is exactly what it is enabled in Brave Android, it is not perfect but it is what it is. If you want more and easier control (but not a better deal) use Dark Reader or Midnight Lizard, they are slower than native but have more control and let you whitelists websites.

How to make Chrome full dark mode? ›

Turn on Dark theme
  1. On your Android device, open Chrome .
  2. At the top right, tap More Settings. Theme.
  3. Choose the theme you'd like to use: System Default if you want to use Chrome in Dark theme when Battery Saver mode is turned on or your mobile device is set to Dark theme in device settings.

What Chrome extension makes all websites dark? ›

The Super Dark Mode extension can darken almost all websites, as well as local files opened by Chrome, such as PDFs. From now on, your eyes can be relaxed when browsing the web on the screen at night.

How do I make Chrome auto dark mode for specific sites? ›

Site-specific Control: Take control of the dark mode by excluding or including specific websites. Just navigate to "Dark Mode" and choose "Disable/Enable Dark Mode for this site" to tailor your experience on a per-site basis.

How do I change the color to black in CSS? ›

Use Hexadecimal Values to Change Font Colors

This CSS style can be used to color your paragraphs black because the hex code #000000 translates to black. You could even use shorthand with that hex value and write it as #000 with the same results.

How do you make an element darker in CSS? ›

Values. Brightness specified as a <number> or a <percentage> . A value less than 100% darkens the input image or element, while a value over 100% brightens it. A value of 0% creates a completely black image or element, while a value of 100% leaves the input unchanged.

How do I black out text in CSS? ›

If you are just doing it for fun in a forum or some text in your page you could just use the Unicode Character 'FULL BLOCK' (U+2588) █ ...and then just copy and paste it into a sentence ████████ to look like redacted material. If that's helps you.

Top Articles
Latest Posts
Article information

Author: Greg Kuvalis

Last Updated:

Views: 5949

Rating: 4.4 / 5 (75 voted)

Reviews: 90% of readers found this page helpful

Author information

Name: Greg Kuvalis

Birthday: 1996-12-20

Address: 53157 Trantow Inlet, Townemouth, FL 92564-0267

Phone: +68218650356656

Job: IT Representative

Hobby: Knitting, Amateur radio, Skiing, Running, Mountain biking, Slacklining, Electronics

Introduction: My name is Greg Kuvalis, I am a witty, spotless, beautiful, charming, delightful, thankful, beautiful person who loves writing and wants to share my knowledge and understanding with you.