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

@casys/mcp-bridge

v0.2.1

Published

Bridge MCP Apps interactive UIs to messaging platforms (Telegram Mini Apps, LINE LIFF)

Downloads

180

Readme

@casys/mcp-bridge

npm JSR License: MIT

Bridge MCP Apps interactive UIs to messaging platforms. Turn any MCP tool with a ui:// resource into a Telegram Mini App or LINE LIFF app.

MCP Server (tools with ui:// resources)
        |
        v
+------------------+
|  @casys/mcp-bridge  |
|   Resource Server   |  Serves HTML + injects bridge.js
|   Bridge Client     |  Intercepts postMessage, routes via WebSocket
|   Platform Adapters |  Telegram theme/viewport/auth mapping
+------------------+
        |
        v
Telegram Mini App / LINE LIFF WebView

Install

# npm
npm install @casys/mcp-bridge

# Deno
deno add jsr:@casys/mcp-bridge

Quick Start

1. Create a resource server with a tool handler

import { startResourceServer } from "@casys/mcp-bridge";

const server = await startResourceServer({
  port: 4000,
  platform: "telegram",
  appBaseDir: "./my-app",        // Directory containing your MCP App HTML
  resourceBaseUrl: "https://my-domain.com",
  onMessage: async (session, message) => {
    // Handle tools/call requests from the UI
    if (message.method === "tools/call") {
      const toolName = message.params?.name;
      if (toolName === "get_data") {
        return {
          jsonrpc: "2.0",
          id: message.id,
          result: { content: [{ type: "text", text: JSON.stringify({ value: 42 }) }] },
        };
      }
    }
    return null;
  },
});

console.log(`Bridge running at http://localhost:${server.port}`);

2. Create your MCP App HTML

<!DOCTYPE html>
<html>
<head><title>My MCP App</title></head>
<body>
  <button id="btn">Get Data</button>
  <div id="result"></div>
  <script>
    // bridge.js is auto-injected by the resource server
    // It intercepts postMessage and routes via WebSocket to your handler

    window.addEventListener("mcp-bridge-ready", () => {
      document.getElementById("btn").onclick = async () => {
        const id = Date.now();
        window.parent.postMessage({
          jsonrpc: "2.0", id,
          method: "tools/call",
          params: { name: "get_data", arguments: {} },
        }, "*");
      };
    });

    window.addEventListener("message", (e) => {
      if (e.data?.result) {
        document.getElementById("result").textContent = JSON.stringify(e.data.result);
      }
    });
  </script>
</body>
</html>

3. Expose via HTTPS and configure Telegram

# Option A: Reverse proxy (recommended for production)
# Add to your Caddy/nginx config:
#   /app/*  -> localhost:4000
#   /bridge -> localhost:4000

# Option B: ngrok (for development)
ngrok http 4000

Then configure your Telegram bot via @BotFather:

  1. /setmenubutton -> select your bot
  2. Enter your HTTPS URL: https://your-domain.com/app/my-app/index.html
  3. Open the bot on Telegram mobile -> tap Menu Button

How It Works

  1. User opens Mini App in Telegram (or LINE)
  2. Resource server serves the MCP App HTML with bridge.js auto-injected
  3. bridge.js intercepts postMessage calls from the MCP App
  4. Messages are routed via WebSocket to the resource server
  5. Resource server forwards tools/call to your handler
  6. Response flows back: handler -> WebSocket -> bridge.js -> MCP App

The MCP App doesn't know it's running in Telegram. It uses the standard MCP Apps SDK (postMessage), and the bridge handles the translation.


API

Resource Server

import { startResourceServer } from "@casys/mcp-bridge";
import type { ResourceServerConfig } from "@casys/mcp-bridge";

const config: ResourceServerConfig = {
  port: 4000,
  platform: "telegram",
  appBaseDir: "./my-app",
  resourceBaseUrl: "https://my-domain.com",
  csp: {
    scriptSources: ["https://telegram.org"],
    connectSources: ["wss://my-domain.com"],
    frameAncestors: ["https://web.telegram.org"],
  },
  onMessage: async (session, message) => { /* ... */ },
};

Protocol Helpers

import {
  buildToolCallRequest,
  buildSuccessResponse,
  buildErrorResponse,
  isRequest,
  isResponse,
  MessageRouter,
} from "@casys/mcp-bridge";

const router = new MessageRouter();
router.onRequest("tools/call", async (params) => {
  return { content: [{ type: "text", text: "result" }] };
});

Platform Adapters

// Telegram — used internally by bridge.js, or standalone
import { TelegramPlatformAdapter } from "@casys/mcp-bridge";

const adapter = new TelegramPlatformAdapter();
const hostContext = await adapter.initialize();
// { colorScheme: "dark", viewportHeight: 640, ... }

// LINE LIFF
import { LineAdapter } from "@casys/mcp-bridge";

Resource URI Parsing

import { parseResourceUri, resolveToHttp } from "@casys/mcp-bridge";

const uri = parseResourceUri("ui://my-server/dashboard.html?tab=metrics");
const httpUrl = resolveToHttp(uri, "https://my-domain.com");
// => "https://my-domain.com/my-server/dashboard.html?tab=metrics"

Architecture

| Layer | Component | Role | |-------|-----------|------| | Client | bridge.js | IIFE injected into MCP App HTML. Intercepts postMessage, routes via WebSocket | | Server | ResourceServer | HTTP server (serves HTML + bridge.js), WebSocket endpoint, session management | | Protocol | MessageRouter | JSON-RPC 2.0 routing, pending request tracking, timeout | | Adapters | TelegramPlatformAdapter | Maps Telegram WebApp SDK to MCP Apps HostContext | | Security | CSP + SessionStore | Content-Security-Policy headers, session auth, path traversal protection |


Development

# Run tests (87 tests)
deno task test

# Type-check
deno task check

# Lint
deno task lint

# Run the demo
deno task demo

Companion Package

Built to work with @casys/mcp-server — the production MCP server framework. Use @casys/mcp-server to build MCP tools with ui:// resources, and @casys/mcp-bridge to deliver them to messaging platforms.


License

MIT