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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@bitte-ai/chat

v0.23.0

Published

Bitte AI chat component

Readme

Bitte AI Chat

Introduction

The Bitte AI Chat component is a React component that enables AI-powered chat interactions in your application. It supports both NEAR Protocol and EVM blockchain interactions through wallet integrations, allowing users to interact with smart contracts and perform transactions directly through the chat interface.

🔑 Before you begin, make sure you have:


Quick Start

  1. Configure Wallet Integration
  2. Setup the API Route
  3. Add the Chat Component or use as Widget

Compatibility

Our stable version (latest) currently supports React 18 Applications. We have a beta version that supports React 19 and Next.js 15 Applications.

We are working on support more frameworks like Vite React 19 in the mean time.

You can check an working Next.js example on our chat-boilerplate repo

Run on Stackblitz

Wallet Integration

We recommend installing the package using pnpm or yarn:

pnpm install @bitte-ai/chat

or

yarn add @bitte-ai/chat

if you are using npm and find issues, you can use the current command:

npm install @bitte-ai/chat --legacy-peer-deps

NEAR Integration

You can integrate with NEAR using either the NEAR Wallet Selector or a direct account connection. If you want to be able to send near transacitons through the chat you will need to define at least one of these

Using Next.js

Check our Next.js boilerplate repo. Currently turbopack builds arent working due to tailwind build issue.

Using Wallet Selector

  1. You need to wrap your application with BitteWalletContextProvider

  2. If you using Next.js you need to add "use client" on top of file

import { useEffect, useState } from "react"
import { useBitteWallet, Wallet } from "@bitte-ai/react";
import { BitteAiChat } from "@bitte-ai/chat";
import "@bitte-ai/chat/styles.css";


export default function Chat() {
  const { selector } = useBitteWallet();
  const [wallet, setWallet] = useState<Wallet>();

  useEffect(() => {
    const fetchWallet = async () => {
      const walletInstance = await selector.wallet();
      setWallet(walletInstance);
    };
    if (selector) fetchWallet();
  }, [selector]);

  return (
    <BitteAiChat
      agentId="your-agent-id"
      apiUrl="/api/chat"
      wallet={{ near: { wallet } }}
    />
  );
}

Using Direct Account

import { Account } from "near-api-js";
// get near account instance from near-api-js by instantiating a keypair
<BitteAiChat
  agentId="your-agent-id"
  apiUrl="/api/chat"
  wallet={{ near: { account: nearAccount } }}
/>

EVM Integration

EVM integration uses WalletConnect with wagmi hooks:


import { useSendTransaction, useAccount } from 'wagmi';

export default function Chat() {
  const { address } = useAccount();
  const { sendTransaction } = useSendTransaction();

  return (
    <BitteAiChat
      agentId="your-agent-id"
      apiUrl="/api/chat"
      wallet={{
        evm: {
          sendTransaction,
          address
        }
      }}
    />
  );
}

API Route Setup

Create an API route in your Next.js application to proxy requests to the Bitte API to not expose your key:

import type { NextRequest } from "next/server";

const { BITTE_API_KEY, BITTE_API_URL = "https://ai-runtime-446257178793.europe-west1.run.app/chat" } =
  process.env;

export const dynamic = "force-dynamic";
export const maxDuration = 60;

export const POST = async (req: NextRequest): Promise<Response> => {
  const requestInit: RequestInit & { duplex: "half" } = {
    method: "POST",
    body: req.body,
    headers: {
      Authorization: `Bearer ${BITTE_API_KEY}`,
    },
    duplex: "half",
  };

  const upstreamResponse = await fetch(BITTE_API_URL, requestInit);
  const headers = new Headers(upstreamResponse.headers);
  headers.delete("Content-Encoding");

  return new Response(upstreamResponse.body, {
    status: upstreamResponse.status,
    headers,
  });
};

History API Route Setup

Create an API route in your Next.js application that will allow your app if you want to save chat context when signing a transaction after getting redirected to the wallet.

import { type NextRequest, NextResponse } from 'next/server';

const { BITTE_API_KEY, BITTE_API_URL = 'https://ai-runtime-446257178793.europe-west1.run.app' } =
  process.env;

export const dynamic = 'force-dynamic';
export const maxDuration = 60;

export const GET = async (req: NextRequest): Promise<NextResponse> => {
  const { searchParams } = new URL(req.url);
  const id = searchParams.get('id');
  const url = `${BITTE_API_URL}/history?id=${id}`;

  const response = await fetch(url, {
    headers: {
      Authorization: `Bearer ${BITTE_API_KEY}`,
    },
  });

  const result = await response.json();

  return NextResponse.json(result);
};

Chat Components Overview

Bitte AI Chat provides two main components for different use cases:

  • BitteAiChat - Full-featured chat interface for embedding directly in your app pages
  • BitteWidgetChat - Floating chat widget that overlays your existing content

Basic Chat Usage

The BitteAiChat component provides a full-featured chat interface that can be embedded directly into your application pages.

Standard Chat Setup

import { BitteAiChat } from "@bitte-ai/chat";
import { useAccount, useSendTransaction } from 'wagmi';
import "@bitte-ai/chat/styles.css";

export default function ChatPage() {
  const { address } = useAccount();
  const { sendTransaction } = useSendTransaction();

  return (
    <div className="container mx-auto p-4">
      <h1>AI Assistant</h1>
      
      {/* Full-page chat interface */}
      <div style={{ height: '600px' }}>
        <BitteAiChat
          agentId="your-agent-id"
          apiUrl="/api/chat"
          historyApiUrl="/api/history"
          wallet={{
            evm: {
              sendTransaction,
              address
            }
          }}
          options={{
            agentName: "My AI Assistant",
            agentImage: "/agent-avatar.png",
            colors: {
              generalBackground: "#ffffff",
              messageBackground: "#f8fafc",
              textColor: "#1f2937",
              buttonColor: "#3b82f6",
              borderColor: "#e5e7eb"
            },
            customComponents: {
              welcomeMessageComponent: (
                <div>
                  <h2>Welcome to our AI Assistant!</h2>
                  <p>How can I help you today?</p>
                </div>
              )
            }
          }}
        />
      </div>
    </div>
  );
}

NEAR Wallet Integration

import { useEffect, useState } from "react";
import { useBitteWallet, Wallet } from "@bitte-ai/react";
import { BitteAiChat } from "@bitte-ai/chat";
import "@bitte-ai/chat/styles.css";

export default function Chat() {
  const { selector } = useBitteWallet();
  const [wallet, setWallet] = useState<Wallet>();

  useEffect(() => {
    const fetchWallet = async () => {
      const walletInstance = await selector.wallet();
      setWallet(walletInstance);
    };
    if (selector) fetchWallet();
  }, [selector]);

  return (
    <BitteAiChat
      agentId="your-agent-id"
      apiUrl="/api/chat"
      wallet={{ near: { wallet } }}
      options={{
        agentName: "NEAR Assistant",
        colors: {
          generalBackground: "#000000",
          textColor: "#ffffff"
        }
      }}
    />
  );
}

Widget Chat Usage

The BitteWidgetChat component provides a floating chat widget that can be embedded anywhere on your website. It includes a trigger button and a popup chat interface.

Basic Widget Setup

import { BitteWidgetChat } from "@bitte-ai/chat";
import { useAccount, useSendTransaction } from 'wagmi';
import "@bitte-ai/chat/styles.css";

export default function App() {
  const { address } = useAccount();
  const { sendTransaction } = useSendTransaction();

  return (
    <div>
      {/* Your existing app content */}
      <main>
        <h1>My App</h1>
        {/* Other content */}
      </main>
      
      {/* Widget Chat - floating at bottom right */}
      <BitteWidgetChat
        agentId="your-agent-id"
        apiUrl="/api/chat"
        historyApiUrl="/api/history"
        wallet={{
          evm: {
            sendTransaction,
            address
          }
        }}
        widget={{
          widgetWelcomePrompts: {
            title: "Hey there! 👋",
            description: "I'm your AI assistant. What would you like to do?",
            questions: [
              "What's my portfolio balance?",
              "Show me trending tokens",
              "How do I swap tokens?"
            ],
            actions: [
              "Check my wallet balance",
              "View recent transactions",
              "Help me with DeFi"
            ]
          },
          triggerButtonStyles: {
           backgroundColor: "#6366F1",
           logoColor: "#FFFFFF"
         }
        }}
        options={{
          agentName: "DeFi Assistant",
          agentImage: "/assistant-avatar.png"
        }}
      />
    </div>
  );
}

Custom Trigger Button

You can replace the default trigger button with your own component:

<BitteWidgetChat
  agentId="your-agent-id"
  apiUrl="/api/chat"
  wallet={{ /* wallet config */ }}
  widget={{
    customTriggerButton: (
      <div className="custom-chat-button">
        <ChatIcon />
        <span>Chat with us!</span>
      </div>
    )
  }}
/>

Trigger Button Styling

Customize the appearance of the trigger button:

widget={{
  triggerButtonStyles: {
    backgroundColor: "#1F2937", // Dark background
    logoColor: "#F3F4F6"        // Light logo color
  }
}}

Note: The widget position is fixed at bottom-right of the viewport and cannot be customized through props.

Component Props

BitteAiChat Props

interface BitteAiChatProps {
  agentId: string; // ID of the AI agent to use
  apiUrl: string; // Your API route path (e.g., "/api/chat")
  historyApiUrl?: string; // Your history API route to keep context when signing transactions
  wallet?: WalletOptions; // Wallet configuration
  apiKey?: string; // Optional API key for server-side requests
  messages?: Message[]; // Initial messages to display
  customToolComponents?: CustomToolComponent[]; // Custom tool components
  onChatLoaded?: () => void; // Callback when chat is loaded
  onMessageReceived?: (message: Message) => void; // Callback when message is received
  widget?: WidgetChatProps; // Widget-specific configuration
  isWidgetChat?: boolean; // Whether to render as widget
  options?: {
    agentName?: string; // Custom agent name
    agentImage?: string; // Custom agent image URL
    chatId?: string; // Custom chat ID
    prompt?: string; // Custom Initial prompt
    placeholderText?: string; // Custom placeholder text
    hideToolCall?: boolean; // Hide tool call UI (default: true for widget)
    localAgent?: {
      pluginId: string;
      accountId: string;
      spec: BitteOpenAPISpec;
    };
    colors?: ChatComponentColors;
    customComponents?: {
      welcomeMessageComponent?: React.JSX.Element;
      mobileInputExtraButton?: React.JSX.Element;
      messageContainer?: React.ComponentType<MessageGroupComponentProps>;
      chatContainer?: React.ComponentType<ChatContainerComponentProps>;
      inputContainer?: React.ComponentType<InputContainerProps>;
      sendButtonComponent?: React.ComponentType<SendButtonComponentProps>;
      loadingIndicator?: React.ComponentType<LoadingIndicatorComponentProps>;
    };
  };
}

BitteWidgetChat Props

The BitteWidgetChat component accepts all the same props as BitteAiChat plus widget-specific styling and behavior.

interface WidgetChatProps {
  // Welcome prompts configuration for widget
  widgetWelcomePrompts?: {
    title?: string; // Welcome title (default: "Hello")
    description?: string; // Welcome description
    questions?: string[]; // Array of suggested questions
    actions?: string[]; // Array of suggested actions
  };
  
  // Custom trigger button (replaces default Bitte logo)
  customTriggerButton?: React.ReactElement;
  
  // Trigger button styling
  triggerButtonStyles?: {
    backgroundColor?: string; // Background color (default: "#000000")
    logoColor?: string; // Logo color (default: "#ffffff")
  };
}

Available Agents

Agent registry

Creating Custom Agents

Make Agent

Styling

The component can be customized using the colors prop:

type ChatComponentColors = {
  generalBackground?: string; // Chat container background
  messageBackground?: string; // Message bubble background
  textColor?: string; // Text color
  buttonColor?: string; // Button color
  borderColor?: string; // Border color
};

Example Projects