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

@wolf-tui/angular

v1.3.4

Published

Angular adapter for Wolfie

Downloads

494

Readme

@wolf-tui/angular

Build terminal UIs with Angular — flexbox layouts, styled components, signals

Angular 17+ Node License: MIT

Install · Quick Start · Components · Services · Styling


The Problem

Angular has no terminal rendering target. If you want to build CLI apps with Angular's signals, dependency injection, and standalone components, you need a custom renderer that maps Angular's view to terminal output.

This package provides that renderer, plus 20+ components (inputs, selects, alerts, spinners, progress bars, lists) and injectable services (injectInput, FocusService, etc.) — all built for Angular 17+ with standalone components and OnPush change detection.

If you've used Ink for React terminal UIs, this is the Angular equivalent. It uses the same layout engine (Taffy) and shared render functions as wolf-tui's React, Vue, Solid, and Svelte adapters.


Install

# Runtime dependencies
pnpm add @wolf-tui/angular chalk @angular/core @angular/common

# Build tooling
pnpm add -D @wolf-tui/plugin vite

| Peer dependency | Version | | ----------------- | --------- | | @angular/core | >= 17.0.0 | | @angular/common | >= 17.0.0 | | chalk | ^5.0.0 |


Quick Start

import { Component, signal } from '@angular/core'
import {
	BoxComponent,
	TextComponent,
	injectInput,
	type Key,
} from '@wolf-tui/angular'

@Component({
	selector: 'app-root',
	standalone: true,
	imports: [BoxComponent, TextComponent],
	template: `
		<w-box [style]="{ flexDirection: 'column', padding: 1 }">
			<w-text [style]="{ color: 'green', fontWeight: 'bold' }"
				>Counter: {{ count() }}</w-text
			>
			<w-text [style]="{ color: 'gray' }">↑/↓ to change, q to quit</w-text>
		</w-box>
	`,
})
export class AppComponent {
	count = signal(0)

	constructor() {
		injectInput((input: string, key: Key) => {
			if (key.upArrow) this.count.update((c) => c + 1)
			if (key.downArrow) this.count.update((c) => Math.max(0, c - 1))
		})
	}
}
import { renderWolfie } from '@wolf-tui/angular'
import { AppComponent } from './app.component'

renderWolfie(AppComponent)

For CSS class-based styling (class="text-green p-1"), see Styling.


renderWolfie(component, options?)

Mounts an Angular component to the terminal. Also exported as render.

const instance = await renderWolfie(AppComponent, {
	stdout: process.stdout,
	stdin: process.stdin,
	maxFps: 30,
})

instance.unmount()
await instance.waitUntilExit()

| Option | Type | Default | Description | | ----------------------- | -------------------- | ---------------- | ------------------------ | | stdout | NodeJS.WriteStream | process.stdout | Output stream | | stdin | NodeJS.ReadStream | process.stdin | Input stream | | stderr | NodeJS.WriteStream | process.stderr | Error stream | | maxFps | number | 30 | Maximum render frequency | | debug | boolean | false | Disable frame throttling | | exitOnCtrlC | boolean | true | Exit on Ctrl+C | | isScreenReaderEnabled | boolean | false | Screen reader mode | | providers | Provider[] | [] | Additional DI providers |


Components

All components use custom element selectors prefixed with w-. All are standalone.

Layout

| Component | Selector | Description | | -------------------- | --------------- | ---------------------------------------- | | BoxComponent | <w-box> | Flexbox container — [style] or class | | TextComponent | <w-text> | Styled text — color, bold, etc | | NewlineComponent | <w-newline> | Empty lines ([count]) | | SpacerComponent | <w-spacer> | Fills available flex space | | StaticComponent | <w-static> | Renders items once (no re-renders) | | TransformComponent | <w-transform> | Applies string transform to children |

Both accept [style] (inline object) and class/[className] (CSS classes via @wolf-tui/plugin).

Box style properties (passed via [style]):

| Property | Type | Description | | ---------------- | ----------------------------------------------------------------------------- | ------------------- | | flexDirection | 'row' \| 'column' \| 'row-reverse' \| 'column-reverse' | Flex direction | | flexWrap | 'wrap' \| 'nowrap' \| 'wrap-reverse' | Flex wrap | | flexGrow | number | Grow factor | | flexShrink | number | Shrink factor | | alignItems | 'flex-start' \| 'center' \| 'flex-end' \| 'stretch' | Cross-axis | | justifyContent | 'flex-start' \| 'center' \| 'flex-end' \| 'space-between' \| 'space-around' | Main-axis | | gap | number | Gap between items | | width | number \| string | Width | | height | number \| string | Height | | padding | number | Padding (all sides) | | margin | number | Margin (all sides) | | borderStyle | 'single' \| 'double' \| 'round' \| 'classic' | Border style | | borderColor | string | Border color | | overflow | 'visible' \| 'hidden' | Overflow behavior |

Text style properties (passed via [style]):

| Property | Type | Description | | ----------------- | ---------------------------------------- | ---------------- | | color | string | Text color | | backgroundColor | string | Background color | | fontWeight | 'bold' | Bold text | | fontStyle | 'italic' | Italic text | | textDecoration | 'underline' \| 'line-through' | Decoration | | inverse | boolean | Inverse colors | | textWrap | 'wrap' \| 'truncate' \| 'truncate-end' | Wrap mode |

Display

| Component | Selector | Description | | ------------------------ | -------------------- | -------------------------------------- | | AlertComponent | <w-alert> | variant + title + message inputs | | BadgeComponent | <w-badge> | color + label inputs | | SpinnerComponent | <w-spinner> | type + label inputs | | ProgressBarComponent | <w-progress-bar> | value input (0–100) | | StatusMessageComponent | <w-status-message> | variant + message inputs | | ErrorOverviewComponent | <w-error-overview> | [error] input |

Input

| Component | Selector | Description | | ------------------------ | -------------------- | ------------------------------------------------ | | TextInputComponent | <w-text-input> | Uncontrolled — (valueChange) / (submitValue) | | PasswordInputComponent | <w-password-input> | Masked text input | | EmailInputComponent | <w-email-input> | Email with domain suggestions | | ConfirmInputComponent | <w-confirm-input> | (confirm) / (cancel) outputs | | SelectComponent | <w-select> | [options] input, (selectChange) output | | MultiSelectComponent | <w-multi-select> | [options] input, (selectionChange) output |

Lists

| Component | Selector | | ---------------------------- | ------------------------- | | OrderedListComponent | <w-ordered-list> | | OrderedListItemComponent | <w-ordered-list-item> | | UnorderedListComponent | <w-unordered-list> | | UnorderedListItemComponent | <w-unordered-list-item> |

<!-- Alert (uses message input, not ng-content) -->
<w-alert
	variant="success"
	title="Deployed"
	message="All services running."
></w-alert>

<!-- Badge (uses label input, not ng-content) -->
<w-badge color="green" label="NEW"></w-badge>

<!-- StatusMessage (uses message input) -->
<w-status-message variant="success" message="Saved!"></w-status-message>

<!-- TextInput (uncontrolled — no [value] input) -->
<w-text-input
	placeholder="Your name..."
	(valueChange)="onNameChange($event)"
	(submitValue)="onNameSubmit($event)"
></w-text-input>

<!-- Select (uses [options] input, not child elements) -->
<w-select
	[options]="[
    { label: 'TypeScript', value: 'ts' },
    { label: 'JavaScript', value: 'js' }
  ]"
	(selectChange)="onPick($event)"
></w-select>

<!-- MultiSelect -->
<w-multi-select
	[options]="options"
	(selectionChange)="onChange($event)"
	(submitSelection)="onSubmit($event)"
></w-multi-select>

<!-- ConfirmInput -->
<w-confirm-input (confirm)="onYes()" (cancel)="onNo()"></w-confirm-input>

<!-- ProgressBar -->
<w-progress-bar [value]="75"></w-progress-bar>

<!-- Spinner -->
<w-spinner type="dots" label="Loading..."></w-spinner>

<!-- Lists -->
<w-ordered-list>
	<w-ordered-list-item>First</w-ordered-list-item>
	<w-ordered-list-item>Second</w-ordered-list-item>
</w-ordered-list>

Services

Angular uses dependency injection instead of hooks/composables.

injectInput(handler, options?)

Inject keyboard input handler. Must be called in injection context (constructor or field initializer).

import { injectInput, type Key } from '@wolf-tui/angular'

@Component({
	/* ... */
})
export class MyComponent {
	constructor() {
		injectInput((input: string, key: Key) => {
			if (key.upArrow) {
				/* move up */
			}
			if (key.return) {
				/* confirm */
			}
			if (input === 'q') {
				/* quit */
			}
		})
	}
}

| Property | Type | Description | | ------------ | --------- | ------------------- | | upArrow | boolean | Up arrow pressed | | downArrow | boolean | Down arrow pressed | | leftArrow | boolean | Left arrow pressed | | rightArrow | boolean | Right arrow pressed | | return | boolean | Enter pressed | | escape | boolean | Escape pressed | | ctrl | boolean | Ctrl held | | shift | boolean | Shift held | | meta | boolean | Meta key held | | tab | boolean | Tab pressed | | backspace | boolean | Backspace pressed | | delete | boolean | Delete pressed | | pageUp | boolean | Page Up pressed | | pageDown | boolean | Page Down pressed |

The isActive option accepts () => boolean to conditionally enable/disable input.

AppService

App lifecycle — inject for exit().

import { inject } from '@angular/core'
import { AppService } from '@wolf-tui/angular'

private app = inject(AppService)
this.app.exit()

FocusService

Focus management — focusNext(), focusPrevious(), focus(id), activeFocusId signal.

Stream services

| Service | Properties / Methods | | --------------- | --------------------------------------------- | | StdinService | stdin, isRawModeSupported, setRawMode() | | StdoutService | stdout, write() | | StderrService | stderr, write() |

Raw context tokens for direct injection:

import {
	STDIN_CONTEXT,
	STDOUT_CONTEXT,
	STDERR_CONTEXT,
	APP_CONTEXT,
	FOCUS_CONTEXT,
	ACCESSIBILITY_CONTEXT,
} from '@wolf-tui/angular'

Styling

<!-- Inline styles -->
<w-box [style]="{ flexDirection: 'column', padding: 1, gap: 1 }">
	<w-text [style]="{ color: 'green', fontWeight: 'bold' }">Styled text</w-text>
</w-box>

<!-- Tailwind CSS -->
<w-box class="flex-col p-4 gap-2">
	<w-text class="text-green-500 font-bold">Tailwind styled</w-text>
</w-box>

| Method | Usage | | ------------- | ---------------------------------- | | Inline styles | [style]="{ color: 'green' }" | | Tailwind CSS | class="text-green p-1" + PostCSS | | CSS Modules | [className]="styles.box" |

All CSS approaches resolve to terminal styles at build time — no runtime CSS engine.


Angular Patterns

Signals work seamlessly:

@Component({
	template: `<w-text>Count: {{ count() }}</w-text>`,
})
export class CounterComponent {
	count = signal(0)

	constructor() {
		injectInput((_, key) => {
			if (key.upArrow) this.count.update((c) => c + 1)
		})
	}
}

OnPush change detection is fully supported — the renderer triggers detectChanges() after input handlers.

Effects work with wolf-tui:

effect(() => {
	console.log('Count changed:', this.count())
})

Part of wolf-tui

This is the Angular adapter for wolf-tui — a framework-agnostic terminal UI library. The same layout engine (Taffy/flexbox) and component render functions power adapters for React, Vue, Solid, and Svelte.

| Bundler | Example | | ------- | --------------------------- | | Vite | examples/angular_vite/ | | esbuild | examples/angular_esbuild/ | | webpack | examples/angular_webpack/ |

License

MIT