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

@pillar-ai/angular

v0.1.14

Published

Angular SDK for Pillar product copilot — AI assistant for SaaS and web apps

Downloads

377

Readme

@pillar-ai/angular

Angular SDK for the Pillar open-source AI copilot — embed a product assistant in your Angular app that executes tasks, not just answers questions. GitHub · Docs

npm version npm downloads License: MIT TypeScript

What is Pillar?

Pillar is a product copilot for SaaS and web applications. Users say what they want, and Pillar uses your UI to make it happen — navigating pages, pre-filling forms, and calling your APIs.

For example, a user could ask:

"Close the Walmart deal as won in Salesforce and notify implementation"

"Create a P1 bug in Linear for the checkout crash and add it to this sprint"

"How do I set up a webhook in Stripe?"

Pillar understands the intent, builds a multi-step plan, and executes it client-side with the user's session.

Requirements

  • Angular 17.0.0 or higher
  • @pillar-ai/sdk (installed automatically as a dependency)

Installation

npm install @pillar-ai/angular

Quick Start

1. Initialize Pillar in your app config

// app.config.ts
import { ApplicationConfig, provideAppInitializer, inject } from '@angular/core';
import { PillarService } from '@pillar-ai/angular';

export const appConfig: ApplicationConfig = {
  providers: [
    provideAppInitializer(() => {
      const pillar = inject(PillarService);
      return pillar.init({ productKey: 'your-product-key' });
    }),
  ],
};

2. Use Pillar in your components

// help-button.component.ts
import { Component } from '@angular/core';
import { injectPillar } from '@pillar-ai/angular';

@Component({
  selector: 'app-help-button',
  standalone: true,
  template: `
    <button (click)="toggle()">
      {{ isPanelOpen() ? 'Close Help' : 'Get Help' }}
    </button>
  `,
})
export class HelpButtonComponent {
  private pillar = injectPillar();
  isPanelOpen = this.pillar.isPanelOpen;
  toggle = this.pillar.toggle;
}

API Reference

PillarService

Injectable service that manages the Pillar SDK lifecycle.

import { PillarService } from '@pillar-ai/angular';

@Component({...})
export class MyComponent {
  constructor(private pillarService: PillarService) {}
}

Methods

| Method | Description | |--------|-------------| | init(config) | Initialize the SDK with your product key | | open(options?) | Open the help panel | | close() | Close the help panel | | toggle() | Toggle the help panel | | openArticle(slug) | Open a specific article | | openCategory(slug) | Navigate to a category | | search(query) | Open search with a query | | navigate(view, params?) | Navigate to a specific view | | setTheme(theme) | Update the panel theme | | setTextSelectionEnabled(enabled) | Toggle text selection popover | | on(event, callback) | Subscribe to SDK events | | onTask(taskName, handler) | Register a task handler |

Signals

| Signal | Type | Description | |--------|------|-------------| | state | WritableSignal<PillarState> | Current SDK state | | isReady | Signal<boolean> | Whether SDK is ready | | isPanelOpen | WritableSignal<boolean> | Whether panel is open |

injectPillar()

Angular injection function for accessing the Pillar SDK with full functionality.

import { injectPillar } from '@pillar-ai/angular';

@Component({...})
export class MyComponent {
  private pillar = injectPillar();

  handleHelp() {
    this.pillar.open({ view: 'chat' });
  }
}

injectHelpPanel()

Simplified injection function focused on panel controls.

import { injectHelpPanel } from '@pillar-ai/angular';

@Component({...})
export class HelpMenuComponent {
  private panel = injectHelpPanel();

  isOpen = this.panel.isOpen;
  toggle = this.panel.toggle;
  openChat = this.panel.openChat;
}

PillarPanelComponent

Standalone component for custom panel placement.

import { PillarPanelComponent } from '@pillar-ai/angular';

@Component({
  selector: 'app-layout',
  standalone: true,
  imports: [PillarPanelComponent],
  template: `
    <div class="layout">
      <pillar-panel class="help-panel" />
      <main>
        <router-outlet />
      </main>
    </div>
  `,
})
export class LayoutComponent {}

Important: When using PillarPanelComponent, set panel.container: 'manual' in your config:

pillar.init({
  productKey: 'your-product-key',
  config: { panel: { container: 'manual' } }
});

Advanced Usage

Type-Safe Task Handlers

Define your actions and get full TypeScript support:

// lib/pillar/actions.ts
import { defineActions } from '@pillar-ai/sdk';

export const actions = defineActions({
  invite_member: {
    description: 'Invite a team member',
    data: {
      email: { type: 'string', description: 'Email address' },
      role: { type: 'string', description: 'Member role' },
    },
  },
});
// my.component.ts
import { Component, OnInit, OnDestroy } from '@angular/core';
import { injectPillar } from '@pillar-ai/angular';
import { actions } from './lib/pillar/actions';

@Component({...})
export class MyComponent implements OnInit, OnDestroy {
  private pillar = injectPillar<typeof actions>();
  private unsubscribe?: () => void;

  ngOnInit() {
    // TypeScript knows the exact shape of data
    this.unsubscribe = this.pillar.onTask('invite_member', (data) => {
      console.log(data.email); // ✓ Typed as string
      console.log(data.role);  // ✓ Typed as string
    });
  }

  ngOnDestroy() {
    this.unsubscribe?.();
  }
}

Custom Card Components

Render custom Angular components for inline UI actions:

// invite-card.component.ts
import { Component, input } from '@angular/core';
import type { CardComponentProps } from '@pillar-ai/angular';

@Component({
  selector: 'app-invite-card',
  standalone: true,
  template: `
    <div class="invite-card">
      <h3>Invite Team Members</h3>
      <input [(ngModel)]="email" placeholder="Email address" />
      <button (click)="confirm()">Send Invite</button>
      <button (click)="cancel()">Cancel</button>
    </div>
  `,
})
export class InviteCardComponent implements CardComponentProps {
  data = input.required<Record<string, unknown>>();
  onConfirm = input.required<(data?: Record<string, unknown>) => void>();
  onCancel = input.required<() => void>();
  onStateChange = input<(state: 'loading' | 'success' | 'error', message?: string) => void>();

  email = '';

  confirm() {
    this.onConfirm()({ email: this.email });
  }

  cancel() {
    this.onCancel()();
  }
}
// app.config.ts
pillar.init({
  productKey: 'your-product-key',
  cards: {
    invite_member: InviteCardComponent,
  },
});

Theme Synchronization

Sync Pillar's theme with your app's dark mode:

@Component({...})
export class ThemeToggleComponent {
  private pillar = injectPillar();

  toggleDarkMode(isDark: boolean) {
    this.pillar.setTheme({ mode: isDark ? 'dark' : 'light' });
  }
}

Subscribe to Events

@Component({...})
export class AnalyticsComponent implements OnInit, OnDestroy {
  private pillar = injectPillar();
  private unsubscribes: (() => void)[] = [];

  ngOnInit() {
    this.unsubscribes.push(
      this.pillar.on('panel:open', () => {
        analytics.track('help_panel_opened');
      }),
      this.pillar.on('task:execute', (task) => {
        analytics.track('task_executed', { name: task.name });
      })
    );
  }

  ngOnDestroy() {
    this.unsubscribes.forEach(unsub => unsub());
  }
}

Configuration Options

interface PillarInitConfig {
  /** Your product key from app.trypillar.com */
  productKey: string;

  /** Additional SDK configuration */
  config?: {
    panel?: {
      /** Panel placement: 'auto' | 'manual' */
      container?: string;
      /** Use Shadow DOM for style isolation */
      useShadowDOM?: boolean;
    };
    theme?: {
      /** Theme mode: 'light' | 'dark' | 'auto' */
      mode?: string;
      /** Custom colors */
      colors?: {
        primary?: string;
        // ... other color options
      };
    };
    // ... other options
  };

  /** Global task handler */
  onTask?: (task: TaskExecutePayload) => void;

  /** Custom card components */
  cards?: Record<string, Type<any>>;
}

License

MIT