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

@cogitator-ai/a2a

v0.3.4

Published

A2A (Agent-to-Agent) Protocol v0.3 implementation for Cogitator

Readme

@cogitator-ai/a2a

Native implementation of Google's A2A Protocol v0.3 for Cogitator. Expose agents as A2A services or connect to any A2A-compatible agent across frameworks.

Installation

pnpm add @cogitator-ai/a2a

Features

  • A2AServer - Expose any Cogitator agent as an A2A-compliant service
  • A2AClient - Connect to remote A2A agents with discovery and streaming
  • asTool() Bridge - Wrap remote A2A agents as local Cogitator tools
  • Agent Card - Auto-generate A2A Agent Cards from agent metadata
  • Task Management - Full task lifecycle (working, completed, failed, canceled)
  • Multi-Turn Conversations - Stateful conversations with contextId and continueTask
  • SSE Streaming - Real-time streaming with token-level events
  • Push Notifications - Webhook-based task event notifications
  • Agent Card Signing - HMAC-SHA256 signing and verification
  • Extended Agent Card - Authenticated endpoint with extra details
  • RedisTaskStore - Production-grade task persistence
  • Framework Adapters - Express, Hono, Fastify, Koa, Next.js
  • Zero Dependencies - Own implementation from spec, no external A2A deps

Quick Start

Expose an Agent via A2A

import { Cogitator, Agent } from '@cogitator-ai/core';
import { A2AServer } from '@cogitator-ai/a2a';
import { a2aExpress } from '@cogitator-ai/a2a/express';
import express from 'express';

const cogitator = new Cogitator();
const agent = new Agent({
  name: 'researcher',
  description: 'Research agent',
  model: 'openai/gpt-4o',
  instructions: 'You are a research assistant.',
});

const a2aServer = new A2AServer({
  agents: { researcher: agent },
  cogitator,
  cardUrl: 'https://my-server.com',
});

const app = express();
app.use(a2aExpress(a2aServer));
app.listen(3000);
// Agent Card: GET /.well-known/agent.json
// JSON-RPC:   POST /a2a

Connect to a Remote A2A Agent

import { A2AClient } from '@cogitator-ai/a2a';

const client = new A2AClient('https://remote-agent.example.com');

// Discover
const card = await client.agentCard();
console.log(card.name, card.skills);

// Send message
const task = await client.sendMessage({
  role: 'user',
  parts: [{ type: 'text', text: 'Research quantum computing' }],
});

// Stream
for await (const event of client.sendMessageStream({
  role: 'user',
  parts: [{ type: 'text', text: 'Analyze market trends' }],
})) {
  console.log(event.type, event);
}

Use Remote Agent as a Tool

const client = new A2AClient('https://research-agent.example.com');
const card = await client.agentCard();
const remoteTool = client.asToolFromCard(card);

const orchestrator = new Agent({
  name: 'orchestrator',
  model: 'openai/gpt-4o',
  instructions: 'Use the researcher for information gathering.',
  tools: [remoteTool],
});

const result = await cogitator.run(orchestrator, {
  input: 'Write a report on AI trends',
});

Multi-Turn Conversations

Continue tasks within the same conversation context using contextId and continueTask:

const client = new A2AClient('https://remote-agent.example.com');

// Start a conversation
const task = await client.sendMessage({
  role: 'user',
  parts: [{ type: 'text', text: 'Research quantum computing' }],
});

// Continue the same task with follow-up
const updated = await client.continueTask(task.id, 'Now compare it with classical computing');

// Both tasks share the same contextId
console.log(task.contextId === updated.contextId); // true

On the server side, multi-turn is handled automatically. When a message includes a taskId, the server calls continueTask which appends to the existing task history and re-runs the agent with full context.

Listing Tasks

Query tasks with filtering and pagination via tasks/list:

const client = new A2AClient('https://remote-agent.example.com');

// List all tasks
const tasks = await client.listTasks();

// Filter by context (conversation)
const conversationTasks = await client.listTasks({
  contextId: 'ctx_abc123',
});

// Filter by state with pagination
const completedTasks = await client.listTasks({
  state: 'completed',
  limit: 10,
  offset: 0,
});

Token Streaming

SSE streaming includes token-level events alongside status and artifact updates:

for await (const event of client.sendMessageStream({
  role: 'user',
  parts: [{ type: 'text', text: 'Write a poem' }],
})) {
  switch (event.type) {
    case 'token':
      process.stdout.write(event.token);
      break;
    case 'status-update':
      console.log(`\nStatus: ${event.status.state}`);
      break;
    case 'artifact-update':
      console.log(`\nArtifact: ${event.artifact.id}`);
      break;
  }
}

The server emits TokenStreamEvent for each token generated by the LLM via the onToken callback, giving clients real-time character-by-character output.

RedisTaskStore

For production deployments, use RedisTaskStore instead of the default in-memory store:

import { A2AServer, RedisTaskStore } from '@cogitator-ai/a2a';
import Redis from 'ioredis';

const redis = new Redis('redis://localhost:6379');

const a2aServer = new A2AServer({
  agents: { researcher },
  cogitator,
  taskStore: new RedisTaskStore({
    client: redis,
    keyPrefix: 'a2a:task:',
    ttl: 86400, // 24h expiry
  }),
});

RedisTaskStore implements the full TaskStore interface including list() with filtering by contextId, state, pagination, and timestamp-based sorting.

Push Notifications

Register webhooks to receive task event notifications:

const client = new A2AClient('https://remote-agent.example.com');

// Start a task
const task = await client.sendMessage({
  role: 'user',
  parts: [{ type: 'text', text: 'Long running analysis' }],
});

// Register a webhook for this task
const config = await client.createPushNotification(task.id, {
  webhookUrl: 'https://my-app.com/webhooks/a2a',
  authenticationInfo: {
    scheme: 'bearer',
    credentials: { token: 'my-webhook-secret' },
  },
});

// List registered webhooks
const configs = await client.listPushNotifications(task.id);

// Remove a webhook
await client.deletePushNotification(task.id, config.id!);

Server-side setup requires a PushNotificationStore:

import { A2AServer, InMemoryPushNotificationStore } from '@cogitator-ai/a2a';

const a2aServer = new A2AServer({
  agents: { researcher },
  cogitator,
  pushNotificationStore: new InMemoryPushNotificationStore(),
});

When configured, the server automatically sends POST requests with A2AStreamEvent payloads to registered webhook URLs on task status and artifact updates. The Agent Card will advertise pushNotifications: true.

Agent Card Signing

Sign Agent Cards with HMAC-SHA256 for integrity verification:

import { signAgentCard, verifyAgentCardSignature } from '@cogitator-ai/a2a';

// Server-side: sign cards automatically
const a2aServer = new A2AServer({
  agents: { researcher },
  cogitator,
  cardSigning: {
    algorithm: 'hmac-sha256',
    secret: process.env.CARD_SIGNING_SECRET!,
  },
});

// Client-side: verify a card's signature
const client = new A2AClient('https://remote-agent.example.com');
const isValid = await client.verifyAgentCard(process.env.CARD_SIGNING_SECRET!);

// Or manually
const card = await client.agentCard();
const valid = verifyAgentCardSignature(card, 'shared-secret');

Extended Agent Card

Provide an authenticated endpoint with additional agent details (rate limits, pricing, extended skills):

// Server-side: configure extended card generator
const a2aServer = new A2AServer({
  agents: { researcher },
  cogitator,
  extendedCardGenerator: (agentName) => ({
    ...a2aServer.getAgentCard(agentName),
    extendedSkills: [
      {
        id: 'deep_research',
        name: 'deep_research',
        description: 'Multi-source deep research',
        inputModes: ['text/plain'],
        outputModes: ['text/plain', 'application/json'],
      },
    ],
    rateLimit: { requestsPerMinute: 60 },
    pricing: { model: 'per-request', details: '$0.01 per task' },
    metadata: { version: '2.1.0', region: 'us-east-1' },
  }),
});

// Client-side: fetch the extended card (requires auth)
const client = new A2AClient('https://remote-agent.example.com', {
  headers: { Authorization: 'Bearer my-token' },
});
const extendedCard = await client.extendedAgentCard();
console.log(extendedCard.rateLimit, extendedCard.pricing);

The agent/extendedCard method is only available when extendedCardGenerator is configured on the server. The Agent Card advertises this via capabilities.extendedAgentCard: true.

Framework Adapters

// Express
import { a2aExpress } from '@cogitator-ai/a2a/express';
app.use(a2aExpress(server));

// Hono
import { a2aHono } from '@cogitator-ai/a2a/hono';
app.route('/a2a', a2aHono(server));

// Fastify
import { a2aFastify } from '@cogitator-ai/a2a/fastify';
fastify.register(a2aFastify(server));

// Koa
import { a2aKoa } from '@cogitator-ai/a2a/koa';
app.use(a2aKoa(server));

// Next.js
import { a2aNext } from '@cogitator-ai/a2a/next';
export const { GET, POST } = a2aNext(server);

A2A Protocol

| Method | Description | | ------------------------------- | ----------------------------------------- | | message/send | Send a message, get completed task | | message/stream | Send with SSE streaming (incl. tokens) | | tasks/get | Retrieve task by ID | | tasks/cancel | Cancel a running task | | tasks/list | List tasks with filtering and pagination | | tasks/pushNotification/create | Register a webhook for task events | | tasks/pushNotification/get | Get a push notification config | | tasks/pushNotification/list | List push notification configs for a task | | tasks/pushNotification/delete | Remove a push notification config | | agent/extendedCard | Fetch extended Agent Card (authenticated) |

Part of Cogitator

This package is part of the Cogitator ecosystem — a self-hosted, production-grade AI agent runtime for TypeScript.

License

MIT