npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

dfx-theme

v0.0.1

Published

tiny and simple-to-use Angular QR-Code generator library

Downloads

251

Readme

dfx-theme

dfx-theme is a tiny and simple-to-use Angular Theme management library.

npm version npm downloads per week npm bundle size

Live Demo

Fork of @slateui/theme.

Features

  • Automatic Theme Detection - Supports light, dark, and system themes with OS preference detection
  • SSR-safe - No hydration mismatch, works with Angular SSR out of the box
  • Flexible Strategies - Choose between class, attribute, color-scheme-based theming
  • Tiny (~13kB minified + gzipped)

Table of Contents

Version compatibility

| Angular | dfx-theme | | ------- | --------- | | 21.x.x | 21.x.x |

Installation

  • npm
    npm install dfx-theme
  • pnpm
    pnpm install dfx-theme

Usage

Add the theme provider to your app.config.ts:

import { ApplicationConfig } from '@angular/core';

import { provideTheme } from 'dfx-theme';

export const appConfig: ApplicationConfig = {
  providers: [provideTheme()],
};

Use in Components

import { Component, inject } from '@angular/core';

import { ThemeService } from 'dfx-theme';

@Component({
  selector: 'app-header',
  template: `
    <header>
      <h1>My App</h1>
      <button (click)="toggleTheme()">Toggle Theme</button>
      <p>Current theme: {{ themeService.theme() }}</p>
      <p>Resolved theme: {{ themeService.resolvedTheme() }}</p>
    </header>
  `,
})
export class HeaderComponent {
  private themeService = inject(ThemeService);

  toggleTheme() {
    this.themeService.toggle();
  }
}

Add CSS for Theming

/* Default styles (light theme) */
:root {
  --bg-color: #ffffff;
  --text-color: #000000;
  --primary-color: #3b82f6;
}

/* Dark theme styles */
.dark {
  --bg-color: #1f2937;
  --text-color: #f9fafb;
  --primary-color: #60a5fa;
}

body {
  background-color: var(--bg-color);
  color: var(--text-color);
  transition:
    background-color 0.3s ease,
    color 0.3s ease;
}

How to Prevent Theme Flash (FOUC) with an Inline Script

Add this inline script to your index.html <head>:

<!-- Flash Prevention - Prevents FOUC in all browsers -->
<script>
  (function () {
    'use strict';
    try {
      const t = localStorage.getItem('theme') || 'system';
      const e =
        t === 'system'
          ? window.matchMedia('(prefers-color-scheme: dark)').matches
            ? 'dark'
            : 'light'
          : t === 'light' || t === 'dark'
            ? t
            : 'light';
      const n = document.documentElement;
      if (n) {
        n.classList.remove('light', 'dark');
        if (e === 'dark') {
          n.classList.add('dark');
          n.setAttribute('data-theme', 'dark');
        } else {
          n.classList.add('light');
          n.setAttribute('data-theme', 'light');
        }
        n.style.colorScheme = e;
      }
    } catch (e) {
      try {
        const n = document.documentElement;
        if (n) {
          n.classList.remove('dark');
          n.setAttribute('data-theme', 'light');
          n.style.colorScheme = 'light';
        }
      } catch (e) {}
    }
  })();
</script>

Why inline? Angular does not provide a way to inject scripts into the HTML <head> at build time. For true FOUC prevention, the script must run immediately as the HTML is parsed—before any content is rendered. External scripts or Angular providers/services run too late to prevent a flash. This is why the script must be copied directly into your index.html head.

Note: This approach is SSR-safe: the initial HTML uses the default theme, and the correct theme is applied instantly on page load.

FAQ: SSR, LocalStorage, and Theme Flash

  • The SSR HTML always uses the default theme, since user preferences are only available in the browser.
  • The inline script applies the correct theme instantly on page load, so users never see a flash of the wrong theme.
  • This is the standard, SSR-safe approach used by modern theme libraries (like next-themes).

Configuration

interface ThemeConfig {
  defaultTheme?: 'light' | 'dark' | 'system'; // Default: 'system'
  enableAutoInit?: boolean; // Default: true
  enableSystem?: boolean; // Default: true
  forcedTheme?: 'light' | 'dark' | 'system'; // Default: undefined
}

Strategies

By default, dfx-theme uses both Class and Color scheme strategies to apply themes.

import { provideTheme } from 'dfx-theme';

provideTheme();
import { provideTheme, themeClassStrategy, themeColorSchemeStrategy, withThemeStrategies } from 'dfx-theme';

provideTheme(
  withThemeStrategies([
    themeColorSchemeStrategy, // used by default
    themeClassStrategy, // used by default
  ]),
);

Class Strategy

import { provideTheme, themeClassStrategy, withThemeStrategies } from 'dfx-theme';

provideTheme(withThemeStrategies([themeClassStrategy]));
/* CSS */
.dark {
  --bg-color: #1f2937;
  --text-color: #f9fafb;
}
<!-- HTML -->
<html class="dark">
  <!-- Dark theme applied -->
</html>

Attribute Strategy

import { provideTheme, themeAttributeStrategy, withThemeStrategies } from 'dfx-theme';

provideTheme(withThemeStrategies([themeAttributeStrategy]));
/* CSS */
[data-theme='dark'] {
  --bg-color: #1f2937;
  --text-color: #f9fafb;
}
<!-- HTML -->
<html data-theme="dark">
  <!-- Dark theme applied -->
</html>

Color scheme Strategy

import { provideTheme, themeColorSchemeStrategy, withThemeStrategies } from 'dfx-theme';

provideTheme(withThemeStrategies([themeColorSchemeStrategy]));
@media (prefers-color-scheme: dark) {
  --bg-color: #1f2937;
  --text-color: #f9fafb;
}
<!-- HTML -->
<html>
  <!-- Dark theme applied -->
</html>

Custom

import { ResolvedTheme, provideTheme, withThemeStrategies } from 'dfx-theme';

provideTheme(
  withThemeStrategies([
    (element: HTMLElement, theme: ResolvedTheme) => {
      // your custom strategy
      element.style.colorScheme = theme;
    },
  ]),
);

LocalStorage support

import { LocalStorageManager, provideTheme, withThemeStorage } from 'dfx-theme';

provideTheme(withThemeStorage());

// OR to cutomize

provideTheme(
  withThemeStorage({
    key: 'custom-theme-key', // Default is 'theme'
    storageManager: new LocalStorageManager(), // Default is LocalStorageManager
  }),
);

Other

Disable System Detection

import { provideTheme } from 'dfx-theme';

provideTheme({
  enableSystem: false,
});

Forced Theme (for demos)

import { provideTheme } from 'dfx-theme';

provideTheme({
  forcedTheme: 'dark',
});

API Reference

ThemeService

Properties

  • theme() - Readonly signal for current theme setting
  • systemTheme() - Readonly signal for system theme preference
  • resolvedTheme() - Computed signal for the actual applied theme
  • initialized - Boolean property indicating if service is initialized
  • isForced - Boolean property indicating if forced theme is active

Methods

  • setTheme(theme: 'light' | 'dark' | 'system') - Set the theme
  • toggle() - Cycle through themes (light → dark → system)
  • isDark() - Check if current theme is dark
  • isLight() - Check if current theme is light
  • isSystem() - Check if using system theme
  • getConfig() - Get current configuration
  • cleanup() - Manual cleanup (automatically called on destroy)

Example Usage

import { Component, inject } from '@angular/core';

import { ThemeService } from 'dfx-theme';

@Component({
  selector: 'app-example',
  template: `
    <div>
      <h1>Theme Demo</h1>

      <div class="theme-info">
        <p>Current setting: {{ themeService.theme() }}</p>
        <p>System preference: {{ themeService.systemTheme() }}</p>
        <p>Applied theme: {{ themeService.resolvedTheme() }}</p>
        <p>Is dark mode: {{ themeService.isDark() ? 'Yes' : 'No' }}</p>
      </div>

      <div class="theme-controls">
        <button (click)="themeService.setTheme('light')">Light</button>
        <button (click)="themeService.setTheme('dark')">Dark</button>
        <button (click)="themeService.setTheme('system')">System</button>
        <button (click)="themeService.toggle()">Toggle</button>
      </div>
    </div>
  `,
})
export class ExampleComponent {
  private themeService = inject(ThemeService);
}

Lifecycle Management

The ThemeService automatically handles cleanup when the application is destroyed. However, you can also manually manage the lifecycle:

Manual Cleanup

import { Component, OnDestroy, inject } from '@angular/core';

import { ThemeService } from 'dfx-theme';

@Component({
  selector: 'app-example',
  template: `
    ...
  `,
})
export class ExampleComponent implements OnDestroy {
  private themeService = inject(ThemeService);

  ngOnDestroy() {
    // Manual cleanup (optional - automatic cleanup is handled)
    this.themeService.cleanup();
  }
}

Advanced Usage

Manual Initialization

import { ThemeService, provideTheme } from 'dfx-theme';

provideTheme({
  enableAutoInit: false,
});

// In your component
export class AppComponent implements OnInit {
  private themeService = inject(ThemeService);

  ngOnInit() {
    // Initialize when ready
    this.themeService.initialize();
  }
}

Conditional Initialization

import { provideTheme, ThemeService } from 'dfx-theme';

provideTheme({
  enableAutoInit: false
})

// Initialize based on conditions
ngOnInit() {
  if (this.shouldInitializeTheme()) {
    this.themeService.initialize();
  }
}

By Dafnik