New Research: Supply Chain Attack on Axios Pulls Malicious Dependency from npm.Details →
Socket
Book a DemoSign in
Socket

@angularui/theme

Package Overview
Dependencies
Maintainers
1
Versions
9
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@angularui/theme

Modern Theme Management for Angular - A lightweight, feature-rich theme library with automatic dark mode detection, SSR support, and zero configuration required.

Source
npmnpm
Version
0.0.4
Version published
Weekly downloads
17
183.33%
Maintainers
1
Weekly downloads
 
Created
Source

@angularui/theme

npm version Downloads License: MIT

Modern Theme Management for Angular - A lightweight, feature-rich theme library with automatic dark mode detection, SSR support, and zero configuration required.

🌐 Live Demo

🌟 Features

  • 🎨 Automatic Theme Detection - Supports light, dark, and system themes with OS preference detection
  • ⚡ Angular 20 Signals - Built with modern Angular signals for optimal performance and reactivity
  • 🖥️ SSR Compatible - Works perfectly with Angular SSR and server-side rendering
  • 🎯 Zero Configuration - Works out of the box with sensible defaults
  • 🔧 Flexible Strategy - Choose between class-based or attribute-based theming
  • 📦 Tiny Bundle - Lightweight with no unnecessary dependencies
  • 🛡️ Production Ready - Comprehensive error handling and memory leak prevention
  • ♿ Accessibility Friendly - Respects user preferences and system settings
  • 🚀 Performance Optimized - Efficient DOM updates and minimal re-renders
  • 🔒 Type Safe - Full TypeScript support with strict type checking
  • 🧪 Tested - Comprehensive test coverage for reliability
  • 📚 Well Documented - Extensive documentation with real-world examples
  • ⚙️ Modern Architecture - Uses Angular's app initializer for clean, testable initialization

🚀 Quick Start

Installation

npm install @angularui/theme

Basic Setup

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

import { ApplicationConfig } from '@angular/core';
import { provideUiTheme } from '@angularui/theme';

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

Use in Components

import { Component, inject } from '@angular/core';
import { ThemeService } from '@angularui/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;
}

🎯 Why @angularui/theme?

For Angular Developers

  • Native Angular Integration - Built specifically for Angular with signals, dependency injection, and modern patterns
  • TypeScript First - Full type safety with comprehensive TypeScript support
  • Angular 20+ Ready - Uses latest Angular features like signals and standalone components
  • Modern DI Pattern - Uses Angular's inject() function for better performance and tree-shaking
  • Future-Proof - Built with Angular's latest patterns and best practices
  • Enterprise Ready - Designed for large-scale applications with proper error handling
  • Clean Architecture - Uses app initializer for testable, flexible initialization

Benefits for Angular Ecosystem

  • Consistent Theming - Standardized approach across Angular applications
  • Developer Experience - Excellent IDE support with full autocomplete
  • Performance - Leverages Angular's signal system for optimal reactivity
  • Maintainability - Clean, well-documented API following Angular conventions
  • Community - Contributes to Angular's rich ecosystem of tools
  • Reduced Bundle Size - Tree-shakeable and optimized for production
  • Better Testing - App initializer pattern enables easier unit testing

🏗️ Modern Architecture

App Initializer Pattern

@angularui/theme uses Angular's provideAppInitializer() for clean, testable initialization:

// Traditional approach (other libraries)
constructor() {
  this.initialize(); // Side effects in constructor
}

// @angularui/theme approach
provideAppInitializer(() => {
  const themeService = inject(ThemeService);
  themeService.initialize(); // Clean, controlled initialization
  return Promise.resolve();
})

Benefits of This Approach:

  • 🔄 Testable - Can test service without auto-initialization
  • ⚡ Performant - No constructor side effects
  • 🎯 Controlled - Can conditionally initialize based on app state
  • 🧹 Clean - Separation of concerns
  • 🔧 Flexible - Manual initialization when needed
  • 📚 Modern - Follows Angular 20+ best practices

📖 Configuration Options

interface ThemeConfig {
  defaultTheme?: 'light' | 'dark' | 'system';  // Default: 'system'
  storageKey?: string;                         // Default: 'theme'
  strategy?: 'attribute' | 'class';            // Default: 'attribute'
  enableAutoInit?: boolean;                    // Default: true
  enableColorScheme?: boolean;                 // Default: true
  enableSystem?: boolean;                      // Default: true
  forcedTheme?: 'light' | 'dark' | 'system';  // Default: undefined
}

Configuration Examples

Tailwind CSS Integration

provideUiTheme({
  strategy: 'class',
  defaultTheme: 'system',
  enableColorScheme: true
})

Custom Storage Key

provideUiTheme({
  storageKey: 'my-app-theme',
  defaultTheme: 'dark'
})

Disable System Detection

provideUiTheme({
  enableSystem: false,
  defaultTheme: 'light'
})

Forced Theme (for demos)

provideUiTheme({
  forcedTheme: 'dark',
  enableAutoInit: true
})

🔧 API Reference

ThemeService

The main service that manages theme state using Angular signals.

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 '@angularui/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, inject, OnDestroy } from '@angular/core';
import { ThemeService } from '@angularui/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();
  }
}

Configuration Access

// Get current configuration
const config = this.themeService.getConfig();
console.log('Current config:', config);

🎨 Theming Strategies

provideUiTheme({
  strategy: 'class'
})
/* CSS */
.dark {
  --bg-color: #1f2937;
  --text-color: #f9fafb;
}
<!-- HTML -->
<html class="dark">
  <!-- Dark theme applied -->
</html>

Attribute Strategy (CSS Variables)

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

🖥️ SSR Support

The package automatically handles SSR scenarios:

  • Server-side rendering - Uses default values for consistent rendering
  • Hydration safety - Prevents mismatches between server and client
  • Client-side activation - Loads saved preferences and applies them
  • No additional configuration needed for Angular SSR

🚀 Advanced Usage

Manual Initialization

provideUiTheme({
  enableAutoInit: false
})

// In your component
export class AppComponent implements OnInit {
  private themeService = inject(ThemeService);
  
  ngOnInit() {
    // Initialize when ready
    this.themeService.initialize();
  }
}

Conditional Initialization

provideUiTheme({
  enableAutoInit: false
})

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

Custom Theme Detection

import { effect, inject } from '@angular/core';
import { ThemeService } from '@angularui/theme';

// Listen to theme changes
effect(() => {
  const themeService = inject(ThemeService);
  const theme = themeService.resolvedTheme();
  console.log('Theme changed to:', theme);
  
  // Apply custom logic
  if (theme === 'dark') {
    // Dark theme specific logic
  }
});

📦 Bundle Size

  • Core package: ~13KB (raw) / ~3KB (gzipped)
  • Zero external dependencies - Only Angular core and common
  • Tree-shakeable - Unused features are removed

🤝 Contributing

We welcome contributions! Please see our Contributing Guide for details.

Development

# Clone the repository
git clone https://github.com/angularcafe/angularui-theme.git

# Install dependencies
npm install

# Run tests
npm test

# Build the package
npm run build

📄 License

MIT License - see LICENSE file for details.

🙏 Acknowledgments

Made with ❤️ for the Angular community

Created by @immohammadjaved

Keywords

angular

FAQs

Package last updated on 13 Jul 2025

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts