@locomotivemtl/component-manager v1.0.1
@locomotivemtl/component-manager
A powerful, lightweight Web Component management system based on nanostores with automatic lifecycle tracking, global access bridge, and performance optimizations.
⨠Features
- š Automatic Lifecycle Management - Components are tracked when connected/disconnected from DOM
- š Unique ID Generation - Auto-generated IDs prevent conflicts
- šÆ Type-Safe Queries - Full TypeScript support with flexible generics
- š Performance Optimized - Smart caching for frequently called queries
- š Global Bridge - Access components from external libraries without dependencies
- š§ Debug Mode - Optional logging for development and troubleshooting
- š¦ Zero Dependencies - Only requires nanostores for internal state management
š¦ Installation
npm install @locomotivemtl/component-manager nanostoresš Quick Start
1. Create Enhanced Web Components
import { ComponentElement } from '@locomotivemtl/component-manager';
// Extend any HTML element
class Accordion extends HTMLDetailsElement {
constructor() {
super();
}
toggle() {
this.toggleAttribute('open');
}
}
// Register with ComponentElement for automatic management
customElements.define('c-accordion', ComponentElement(Accordion, 'Accordion'), {
extends: 'details'
});<details is="c-accordion">
<summary>Click me</summary>
<p>This is an accordion content!</p>
</details>ā ļø Safari Compatibility Note
Theisattribute for extending built-in elements is not supported in Safari. For better cross-browser compatibility, consider using autonomous custom elements instead:<c-accordion> <summary>Click me</summary> <p>This is an accordion content!</p> </c-accordion>
2. Access Components Programmatically
import { getComponentById, getComponentsByPrototype, findComponents } from '@locomotivemtl/component-manager';
// Get specific component by ID
const $accordion = getComponentById<Accordion>('accordion-1');
$accordion?.toggle();
// Get all components of a type
const $allAccordions = getComponentsByPrototype('Accordion');
$allAccordions.forEach(acc => acc.close());
// Advanced queries
const $openDialogs = findComponents($component =>
$component.prototypeType === 'Dialog' && $component.hasAttribute('open')
);š§ Component Creation
Basic Components
import { ComponentElement } from '@locomotivemtl/component-manager';
class Dialog extends HTMLElement {
constructor() {
super();
}
open() {
this.showModal();
}
close() {
this.close();
}
}
customElements.define('c-dialog', ComponentElement(Dialog, 'Dialog'));Extended Built-in Elements
You can extend any built-in HTML element to gain specific behaviors while adding component management:
class CustomButton extends HTMLButtonElement {
constructor() {
super();
}
activate() {
this.classList.add('active');
}
}
customElements.define('c-button', ComponentElement(CustomButton, 'Button'), {
extends: 'button'
});<button is="c-button">Enhanced Button</button>š API Reference
Component Management
ComponentElement(BaseClass, className)
Enhances any custom element class with automatic management features.
Parameters:
BaseClass- The base custom element class to extendclassName- String identifier for the component type
Returns: Enhanced class with lifecycle management
ā ļø Important: The className parameter is required as a string to prevent issues with JavaScript minifiers (Vite, Webpack, etc.) that rename class names during production builds. By providing an explicit string, your component types remain consistent across development and production environments.
// ā
Correct - className as string prevents minification issues
customElements.define('c-accordion', ComponentElement(Accordion, 'Accordion'));
// ā Don't rely on class.name - gets minified in production
// ComponentElement(Accordion, Accordion.name) // Could become 'a' in productiongetComponentById<T>(id: string): T | undefined
Retrieves a component by its unique ID with optional type casting.
getComponentsByPrototype(prototype: string, selectorsToExclude?: string[] | string | HTMLElement | ManagedComponent): ManagedComponent[]
Gets all components of a specific prototype with optional exclusion filters.
findComponents(predicate: (component: ManagedComponent) => boolean): ManagedComponent[]
Query components using a custom predicate function.
Example:
// Find components with specific attributes
const $activeComponents = findComponents($component => $component.hasAttribute('active'));
// Find components by custom criteria
const $openDialogs = findComponents($component =>
$component.prototypeType === 'Dialog' && $component.hasAttribute('open')
);Utility Functions
getRegisteredPrototypes(): string[]
Returns array of all registered component prototype names.
getComponentStats(): Record<string, number>
Returns object with component counts by prototype.
getComponentCount(): number
Returns total number of managed components.
Debug Control
Debug logging is controlled via a global window flag. Set window.COMPONENT_MANAGER_DEBUG = true before or after component initialization to see lifecycle events in the console.
š Global Bridge
Access components from external libraries or inline HTML without importing the component manager:
<button onclick="window.ComponentManager.getById('modal-1')?.open()">
Open Modal
</button>
<div onclick="window.ComponentManager.getByPrototype('Dialog').forEach($component => $component.close())">
Close All Dialogs
</div>Global Bridge API
window.ComponentManager = {
components: ManagedComponent[]; // All managed components
getById: (id: string) => ManagedComponent | undefined;
getByPrototype: (prototype: string) => ManagedComponent[];
find: (predicate: Function) => ManagedComponent[];
getRegisteredPrototypes: () => string[];
getComponentCount: () => number;
}šÆ Advanced Usage
Type-Safe Component Access
interface MyDialog extends ManagedComponent {
open(): void;
close(): void;
isOpen: boolean;
}
// Type-safe retrieval
const $dialog = getComponentById<MyDialog>('dialog-1');
if ($dialog) {
$dialog.open(); // TypeScript knows about open() method
}Excluding Components from Queries
// Exclude by selector
const $otherAccordions = getComponentsByPrototype('Accordion', '#current-accordion');
// Exclude by element reference
const $otherAccordions = getComponentsByPrototype('Accordion', this);
// Exclude multiple selectors
const $filtered = getComponentsByPrototype('Dialog', ['.ignore', '#skip-me']);Performance Optimization
The component manager includes automatic caching for getComponentsByPrototype() calls:
- ā Automatic cache invalidation when components are added/removed
- ā Smart caching strategy only caches queries without exclusions
- ā Zero configuration works transparently
š Debug Mode
Enable debug logging to track component lifecycle by setting a global flag:
Enable Debug from Start
<!-- In your HTML head, before importing component-manager -->
<script>
window.COMPONENT_MANAGER_DEBUG = true;
</script>
<!-- Then import your components -->
<script type="module">
import '@locomotivemtl/component-manager';
// Components will log from the very beginning!
</script>Toggle Debug at Runtime
// In browser console - enable debugging
window.COMPONENT_MANAGER_DEBUG = true;
// Disable debugging
window.COMPONENT_MANAGER_DEBUG = false;Debug Output
When enabled, you'll see component lifecycle events in the console:
š§ ComponentManager: "accordion-1" (Accordion) registered
ā
ComponentManager: "accordion-1" connected to DOM
ā ComponentManager: "accordion-1" disconnected from DOMNote: Debug state is checked in real-time, so you can toggle it on/off anytime and it will affect subsequent component lifecycle events.
š Best Practices
Component Lifecycle
Always call parent lifecycle methods in your components:
class MyComponent extends HTMLElement {
connectedCallback() {
// Component manager handles registration automatically
// Add your component-specific logic here
this.setupEventListeners();
}
disconnectedCallback() {
// Component manager handles cleanup automatically
// Add your component-specific cleanup here
this.removeEventListeners();
}
}ID Management
- Components get auto-generated IDs:
componentname-1,componentname-2, etc. - You can set custom IDs in HTML:
<c-dialog id="main-modal"> - Use descriptive IDs for components you'll access frequently
Global Bridge Usage
- Perfect for inline HTML event handlers
- Ideal for integrating with external libraries
- Use for browser console debugging and testing
Built with ā¤ļø by Locomotive