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

@metaid/metaid-mcp-client

v1.0.0

Published

Official TypeScript/JavaScript client for MetaID MCP (Model Context Protocol) Server

Readme

@metaid/metaid-mcp-client

npm version License: MIT TypeScript

Official TypeScript/JavaScript client for MetaID MCP (Model Context Protocol) Server

中文 README/Chinese README

MetaID MCP Client is a full-featured TypeScript/JavaScript client library for connecting to and calling MetaID MCP servers. Supports Node.js and browser environments, with complete type definitions and Promise-based async API.

Default Service URL: https://api.metaid.io/mcp-service


✨ Features

  • 🚀 Zero Configuration - Ready to use out of the box, auto-connects to online service
  • 📘 TypeScript First - Complete type definitions and intelligent hints
  • 🔌 Multi-Environment Support - Node.js, Browser, React, Vue, etc.
  • Promise API - Modern async programming experience
  • 🔄 SSE Transport - Real-time bidirectional communication
  • 🎯 Command Line Tool - Built-in CLI tool for testing and debugging
  • 📦 Lightweight - Minimal dependencies, small footprint

📦 Installation

npm

npm install @metaid/metaid-mcp-client

yarn

yarn add @metaid/metaid-mcp-client

pnpm

pnpm add @metaid/metaid-mcp-client

🚀 Quick Start

Basic Usage

import { MCPClient } from '@metaid/metaid-mcp-client';

// Create client (auto-connects to online service)
const client = new MCPClient();

// Connect and initialize
await client.connect();
await client.initialize({
  name: 'my-app',
  version: '1.0.0',
});

// Call a tool
const result = await client.callTool('hello_world', {
  name: 'MetaID'
});

console.log(result);

Complete Example

import { MCPClient } from '@metaid/metaid-mcp-client';

async function main() {
  // Create client instance
  const client = new MCPClient({
    onConnected: () => console.log('✓ Connected'),
    onError: (error) => console.error('✗ Error:', error.message),
  });

  try {
    // 1. Connect to server
    await client.connect();

    // 2. Initialize session
    await client.initialize({
      name: 'demo-app',
      version: '1.0.0',
    });

    // 3. List available tools
    const tools = await client.listTools();
    console.log('Available tools:', tools.tools.length);

    // 4. Compute MetaID
    const metaidResult = await client.callTool('compute_metaid', {
      address: '0x1234567890abcdef1234567890abcdef12345678'
    });
    console.log('MetaID:', metaidResult);

    // 5. Get current time
    const timeResult = await client.callTool('get_current_time', {});
    console.log('Server time:', timeResult);

  } catch (error) {
    console.error('Error:', error);
  } finally {
    client.disconnect();
  }
}

main();

📖 API Documentation

MCPClient

Constructor

new MCPClient(config?: MCPClientConfig)

Configuration Options:

| Parameter | Type | Default | Description | |-----|------|--------|------| | baseUrl? | string | 'https://api.metaid.io/mcp-service' | MCP server address | | timeout? | number | 30000 | Request timeout (milliseconds) | | onConnected? | () => void | - | Connected callback | | onDisconnected? | () => void | - | Disconnected callback | | onError? | (error: Error) => void | - | Error callback | | onMessage? | (message: any) => void | - | Message received callback |

Methods

connect()

Connect to MCP server

await client.connect(): Promise<void>
disconnect()

Disconnect from server

client.disconnect(): void
initialize()

Initialize MCP session

await client.initialize(clientInfo: {
  name: string;
  version: string;
}): Promise<InitializeResult>
listTools()

List all available tools

await client.listTools(): Promise<ToolsListResult>
callTool()

Call a specific tool

await client.callTool(
  name: string,
  args?: Record<string, any>
): Promise<CallToolResult>
listResources()

List all available resources

await client.listResources(): Promise<ResourcesListResult>
readResource()

Read a specific resource

await client.readResource(uri: string): Promise<any>
listPrompts()

List all available prompts

await client.listPrompts(): Promise<PromptsListResult>
getPrompt()

Get a specific prompt

await client.getPrompt(
  name: string,
  args?: Record<string, any>
): Promise<any>
isConnected()

Check connection status

client.isConnected(): boolean

💡 Usage Scenarios

Node.js Application

import { MCPClient } from '@metaid/metaid-mcp-client';

const client = new MCPClient();
await client.connect();
// Use client...

React Application

import { MCPClient } from '@metaid/metaid-mcp-client';
import { useEffect, useState } from 'react';

function App() {
  const [client, setClient] = useState<MCPClient | null>(null);

  useEffect(() => {
    const mcpClient = new MCPClient({
      onConnected: () => console.log('MCP Connected'),
    });

    mcpClient.connect()
      .then(() => mcpClient.initialize({ name: 'react-app', version: '1.0.0' }))
      .then(() => setClient(mcpClient));

    return () => mcpClient.disconnect();
  }, []);

  const handleCallTool = async () => {
    if (!client) return;
    const result = await client.callTool('get_current_time', {});
    console.log(result);
  };

  return <button onClick={handleCallTool}>Get Time</button>;
}

Vue Application

<script setup lang="ts">
import { MCPClient } from '@metaid/metaid-mcp-client';
import { ref, onMounted, onUnmounted } from 'vue';

const client = ref<MCPClient | null>(null);

onMounted(async () => {
  client.value = new MCPClient();
  await client.value.connect();
  await client.value.initialize({ name: 'vue-app', version: '1.0.0' });
});

onUnmounted(() => {
  client.value?.disconnect();
});

const callTool = async () => {
  if (!client.value) return;
  const result = await client.value.callTool('get_current_time', {});
  console.log(result);
};
</script>

<template>
  <button @click="callTool">Get Time</button>
</template>

Express.js Backend

import express from 'express';
import { MCPClient } from '@metaid/metaid-mcp-client';

const app = express();
const mcpClient = new MCPClient();

await mcpClient.connect();
await mcpClient.initialize({ name: 'express-api', version: '1.0.0' });

app.get('/api/metaid/:address', async (req, res) => {
  try {
    const result = await mcpClient.callTool('compute_metaid', {
      address: req.params.address
    });
    res.json(result);
  } catch (error) {
    res.status(500).json({ error: error.message });
  }
});

app.listen(3000);

🌐 Browser Usage

Via CDN

<script src="https://unpkg.com/@metaid/metaid-mcp-client/dist/mcp-client.bundle.js"></script>
<script>
  const client = new MCPClient.MCPClient();
  
  client.connect()
    .then(() => client.initialize({ name: 'browser-app', version: '1.0.0' }))
    .then(() => client.callTool('hello_world', {}))
    .then(result => console.log(result));
</script>

🔧 Command Line Tool

CLI tool provided after installation:

# Connect to server
metaid-mcp-client connect

# List tools
metaid-mcp-client tools

# Call a tool
metaid-mcp-client call -n hello_world -a '{}'

# Specify server address
metaid-mcp-client tools -u http://mcp-server-url

⚙️ Advanced Configuration

Custom Server Address

const client = new MCPClient({
  baseUrl: 'http://mcp-server-url',
  timeout: 60000,
});

Event Listeners

const client = new MCPClient({
  onConnected: () => {
    console.log('Connected to MCP server');
  },
  onDisconnected: () => {
    console.log('Connection closed');
  },
  onError: (error) => {
    console.error('Error occurred:', error.message);
  },
  onMessage: (message) => {
    console.log('Message received:', message);
  },
});

Error Handling

try {
  await client.connect();
  const result = await client.callTool('some_tool', {});
} catch (error) {
  if (error.message.includes('timeout')) {
    console.error('Connection timeout');
  } else if (error.message.includes('not found')) {
    console.error('Tool not found');
  } else {
    console.error('Unknown error:', error);
  }
}

📚 TypeScript Support

Complete TypeScript type definitions:

import {
  MCPClient,
  MCPClientConfig,
  MCPRequest,
  MCPResponse,
  CallToolResult,
  ToolsListResult,
} from '@metaid/metaid-mcp-client';

const config: MCPClientConfig = {
  baseUrl: 'https://api.metaid.io/mcp-service',
  timeout: 30000,
};

const client: MCPClient = new MCPClient(config);

🧪 Testing

# Run tests
npm test

# Test online service
npm run test:online

# Test local service
npm run test:local

📋 Version History

v1.0.0 (Latest)

Release Date: 2025-01-21

Features:

  • ✅ Full MCP protocol support
  • ✅ SSE-based real-time communication
  • ✅ Auto-connection to online service (https://api.metaid.io/mcp-service)
  • ✅ Support for tools, resources and prompts

🔨 Development

# Install dependencies
npm install

# Development mode (watch)
npm run watch

# Build
npm run build

# Build all versions
npm run build:all

# Clean
npm run clean

📄 License

MIT License


🔗 Links


❓ FAQ

How to switch to local server?

const client = new MCPClient({
  baseUrl: 'http://localhost:7911'
});

What environments are supported?

  • ✅ Node.js >= 18.0.0
  • ✅ Modern browsers (Chrome, Firefox, Safari, Edge)
  • ✅ React, Vue, Angular and other frameworks
  • ✅ TypeScript >= 5.0