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

@contextaisdk/react

v0.1.0

Published

React components and hooks for ContextAI Agent SDK

Readme

@contextaisdk/react

Headless React components and hooks for building AI chat interfaces

npm version TypeScript

Installation

npm install @contextaisdk/react @contextaisdk/core
# or
pnpm add @contextaisdk/react @contextaisdk/core

Peer Dependencies:

  • React 18+
  • @contextaisdk/core

Overview

@contextaisdk/react provides headless UI components and React hooks for building AI chat interfaces. All components are unstyled by default, giving you complete control over styling.

┌─────────────────────────────────────────┐
│                 Hooks                    │
│  useChat  useAgent  useAgentStream      │
├─────────────────────────────────────────┤
│              Components                  │
│  ChatWindow  MessageList  MessageInput   │
│           ReasoningTrace                 │
├─────────────────────────────────────────┤
│        Accessibility Utilities           │
│  Focus Traps  Announcer  Keyboard Nav   │
└─────────────────────────────────────────┘

Quick Start

import { ChatWindow, useChat } from '@contextaisdk/react';
import { Agent } from '@contextaisdk/core';

// Assuming you have an agent configured
const agent = new Agent({
  name: 'Assistant',
  systemPrompt: 'You are a helpful assistant.',
  llm: yourLLMProvider,
});

function ChatApp() {
  const {
    messages,
    streamingContent,
    isLoading,
    error,
    sendMessage,
  } = useChat(agent);

  return (
    <ChatWindow
      messages={messages}
      streamingContent={streamingContent}
      isLoading={isLoading}
      error={error}
      onSend={sendMessage}
    />
  );
}

Hooks

useChat

The primary hook for chat-based interactions.

import { useChat } from '@contextaisdk/react';

function MyChat() {
  const {
    messages,         // Message[] - conversation history
    streamingContent, // string | null - current streaming response
    isLoading,        // boolean - request in progress
    error,            // Error | null - last error
    sendMessage,      // (content: string) => Promise<void>
    clearMessages,    // () => void
    abort,            // () => void - cancel current request
    setMessages,      // (messages: Message[]) => void
  } = useChat(agent, {
    onMessage: (msg) => console.log('New message:', msg),
    onError: (err) => console.error('Error:', err),
    onComplete: () => console.log('Response complete'),
  });

  return (
    <form onSubmit={(e) => {
      e.preventDefault();
      sendMessage(input);
    }}>
      {/* Your UI */}
    </form>
  );
}

useAgent

Lower-level hook for direct agent interaction.

import { useAgent } from '@contextaisdk/react';

function MyAgent() {
  const {
    messages,
    isLoading,
    error,
    run,    // (input: string, options?) => Promise<AgentResponse>
    stream, // (input: string, options?) => AsyncIterable<StreamEvent>
    abort,
  } = useAgent(agent);

  const handleRun = async () => {
    const response = await run('What is TypeScript?');
    console.log(response.output);
    console.log(response.trace); // ReAct trace
  };
}

useAgentStream

Hook for streaming agent responses with ReAct reasoning events.

import { useAgentStream } from '@contextaisdk/react';

function MyStreamingAgent() {
  const {
    messages,
    streamingContent,
    reasoningSteps,   // ReasoningStep[] - thought/action/observation
    isLoading,
    stream,
    abort,
  } = useAgentStream(agent);

  return (
    <div>
      {/* Show reasoning in real-time */}
      {reasoningSteps.map((step, i) => (
        <div key={i}>
          {step.type}: {step.content}
        </div>
      ))}
    </div>
  );
}

Components

ChatWindow

Complete chat interface with message list and input.

import { ChatWindow } from '@contextaisdk/react';

<ChatWindow
  messages={messages}
  streamingContent={streamingContent}
  isLoading={isLoading}
  error={error}
  onSend={sendMessage}
  // Custom rendering
  renderMessages={(messages) => <CustomMessageList messages={messages} />}
  renderInput={(props) => <CustomInput {...props} />}
/>

MessageList

Renders a list of messages.

import { MessageList } from '@contextaisdk/react';

<MessageList
  messages={messages}
  streamingContent={streamingContent}
  // Optional custom message renderer
  renderMessage={(message, index) => (
    <div key={message.id} className={message.role}>
      {message.content}
    </div>
  )}
/>

MessageInput

Input field for sending messages.

import { MessageInput } from '@contextaisdk/react';

<MessageInput
  onSubmit={sendMessage}
  isDisabled={isLoading}
  placeholder="Type a message..."
/>

ReasoningTrace

Visualize agent's ReAct reasoning process.

import { ReasoningTrace, ThoughtStep, ActionStep, ObservationStep } from '@contextaisdk/react';

// Using the compound component
<ReasoningTrace trace={response.trace}>
  <ThoughtStep />
  <ActionStep />
  <ObservationStep />
</ReasoningTrace>

// Or with custom rendering
<ReasoningTrace
  trace={response.trace}
  renderStep={(step, index) => (
    <div key={index} className={`step-${step.type}`}>
      {step.content}
    </div>
  )}
/>

Accessibility Utilities

Focus Management

import { useFocusTrap, useFocusReturn, useAutoFocus } from '@contextaisdk/react';

function Modal({ isOpen, onClose }) {
  // Trap focus within modal
  const trapRef = useFocusTrap(isOpen);

  // Return focus when modal closes
  useFocusReturn(isOpen);

  return (
    <div ref={trapRef} role="dialog" aria-modal="true">
      {/* Modal content */}
    </div>
  );
}

function AutoFocusInput() {
  // Auto-focus on mount
  const inputRef = useAutoFocus();
  return <input ref={inputRef} />;
}

Screen Reader Announcements

import { useAnnouncer, announceToScreenReader } from '@contextaisdk/react';

function ChatMessages() {
  const { announce } = useAnnouncer();

  // Announce new messages to screen readers
  useEffect(() => {
    if (newMessage) {
      announce(`New message from ${newMessage.role}: ${newMessage.content}`);
    }
  }, [newMessage]);
}

// Or use the imperative function
announceToScreenReader('Message sent', 'polite');

Keyboard Navigation Helpers

import { isActivationKey, A11Y_KEYS, getExpandableAriaProps } from '@contextaisdk/react';

function ExpandableSection({ isExpanded, onToggle }) {
  const handleKeyDown = (e) => {
    if (isActivationKey(e)) {
      onToggle();
    }
  };

  return (
    <button
      onClick={onToggle}
      onKeyDown={handleKeyDown}
      {...getExpandableAriaProps(isExpanded, 'section-content')}
    >
      Toggle Section
    </button>
  );
}

Utility Functions

import { srOnlyStyles, generateA11yId } from '@contextaisdk/react';

// Screen-reader only content (visually hidden)
<span style={srOnlyStyles}>
  Loading, please wait
</span>

// Generate unique IDs for ARIA relationships
const headingId = generateA11yId('heading');
const contentId = generateA11yId('content');

Types

// Message in conversation
interface Message {
  id: string;
  role: 'user' | 'assistant' | 'system';
  content: string;
}

// ReAct reasoning step
interface ReasoningStep {
  type: 'thought' | 'action' | 'observation';
  content: string;
  toolName?: string;  // For action steps
  toolInput?: unknown;
  toolOutput?: unknown; // For observation steps
}

// Hook options
interface UseChatOptions {
  onMessage?: (message: Message) => void;
  onError?: (error: Error) => void;
  onComplete?: () => void;
  initialMessages?: Message[];
}

Styling

Components are unstyled by default. Apply your own styles:

// With CSS classes
<ChatWindow className="my-chat-window" />

// With inline styles
<MessageList style={{ maxHeight: '500px', overflow: 'auto' }} />

// With CSS-in-JS
const StyledChatWindow = styled(ChatWindow)`
  border: 1px solid #ccc;
  border-radius: 8px;
`;

Browser Support

This package supports modern browsers as specified in NFR-502:

| Browser | Minimum Version | Status | |---------|-----------------|--------| | Chrome | 120+ | Supported | | Firefox | 121+ | Supported | | Safari | 17+ | Supported | | Edge | 120+ | Supported |

Note: These versions correspond to "last 2 versions" as of 2024. The browserslist config in package.json automatically tracks this.

Browser API Requirements

Components require the following browser APIs:

  • window.requestAnimationFrame - For focus management
  • localStorage / sessionStorage - Optional, for persistence
  • AbortController - For request cancellation
  • CustomEvent - For component communication

Node.js APIs

This package is browser-only and does not use Node.js-specific APIs like:

  • fs, path, crypto, child_process
  • process.env, Buffer, __dirname

Bundle analysis tests verify no Node.js APIs leak into the browser build.

WCAG 2.1 AA Compliance

This package follows WCAG 2.1 AA accessibility guidelines:

  • Keyboard Navigation - All interactive elements are keyboard accessible
  • Focus Management - Proper focus trapping and return in modals
  • Screen Reader Support - Semantic HTML and ARIA attributes
  • Live Regions - Announcements for dynamic content updates
  • Color Contrast - Components don't enforce colors (you control styling)

Error Handling

function ChatWithErrorHandling() {
  const { error, sendMessage } = useChat(agent, {
    onError: (err) => {
      // Handle errors
      console.error('Chat error:', err);
    },
  });

  if (error) {
    return (
      <div role="alert">
        Error: {error.message}
        <button onClick={() => sendMessage('Retry')}>Retry</button>
      </div>
    );
  }

  // Normal rendering
}

License

MIT