Skip to main content
Each time Claude calls a tool that renders an MCP App, a separate iframe is mounted in the conversation. There is no host API to unmount earlier instances when a newer one appears, so by default you end up with several live copies of the same widget, each independently pushing model-context updates (data the widget feeds into Claude’s context for the next turn) and messages to Claude. If your widget represents a single piece of state, such as a shopping cart or a dashboard, only the most recent instance should remain interactive. You can use BroadcastChannel to make earlier instances disable themselves. The snippets on this page assume you have registered a UI resource and tool and created an App instance from @modelcontextprotocol/ext-apps. See the SDK Quickstart if you haven’t.

How it works

All widget iframes from a single connector are served from the same sandbox origin on *.claudemcpcontent.com (the iframe sandbox includes allow-same-origin). That means a BroadcastChannel opened in one instance reaches every other instance from the same connector in the current conversation. See Channel scope and ui.domain for how a fixed domain widens this. The pattern has three parts:
  1. The server stamps each tool result with an election key. It returns a {createdAt, seq} pair (server wall-clock time and a monotonic counter) in structuredContent, the typed JSON payload slot of an MCP tool result. Tool results are stored in the conversation transcript, so every device and every remount of the widget sees the same key.
  2. Each widget announces its key on a shared channel. Shortly after connect() resolves, the host delivers the tool result that mounted this widget (including its structuredContent) via the SDK’s toolresult event. The widget reads its key from that event, opens a BroadcastChannel, and broadcasts the key.
  3. Any widget that sees a younger sibling marks itself superseded. It greys out its UI, disables its buttons, and short-circuits all calls that mutate model context or inject messages.

Mint the election key on the server

Use registerAppTool to register the tool, and return the key in structuredContent alongside your normal tool output. A per-process counter works for a demo; a production server should derive the key from something durable, such as a database row ID or a version number on the underlying record.
import { registerAppTool } from "@modelcontextprotocol/ext-apps/server";
import { z } from "zod";

let callSeq = 0;

registerAppTool(
  server,
  "show_cart",
  {
    title: "Show cart",
    description: "Render the user's shopping cart as an interactive widget.",
    inputSchema: { items: z.array(z.string()).optional() },
    _meta: { ui: { resourceUri: "ui://cart-demo/cart.html" } },
  },
  async ({ items }) => {
    const list = items ?? [];
    const seq = ++callSeq;
    const createdAt = Date.now();
    return {
      content: [{ type: "text", text: `Cart rendered with ${list.length} item(s).` }],
      // The election key travels with the tool result in the transcript,
      // so rehydrated widgets on any device recover the same ordering.
      structuredContent: { items: list, seq, createdAt },
    };
  },
);

Why not use client-side Date.now()?

Client mount time does not reflect tool-call order. When a stored conversation is reopened, Claude lazy-mounts widget cells as they scroll into view, so an older widget can mount after a newer one and would win an election based on client timestamps. The server-minted key is written into the transcript at tool-call time and is identical everywhere.

Run the election in the widget

The four snippets in this section form a single module; paste them in order into your widget entry file.

Read the key from the toolresult event

Connect and read the values you need from the host: your instance ID from hostContext.toolInfo, and the server-minted key from the toolresult event. The event’s structuredContent is typed Record<string, unknown>, so cast it to the shape your server returns.
import { App } from "@modelcontextprotocol/ext-apps";

type CartResult = { items?: string[]; createdAt?: number; seq?: number };

const app = new App({ name: "cart-demo", version: "1.0.0" });

let superseded = false;
let keyFinalized = false;
let orderKey: number | undefined;
let seq: number | undefined;
let items: string[] = [];

app.addEventListener("toolresult", (params) => {
  const sc = params.structuredContent as CartResult | undefined;
  if (sc?.items) items = sc.items;
  if (sc && Number.isFinite(sc.createdAt)) {
    orderKey = sc.createdAt;
    seq = Number.isFinite(sc.seq) ? sc.seq : undefined;
    keyFinalized = true;
    announce(); // defined in "Broadcast and compare on a shared channel" below
  }
});

await app.connect();
const hostContext = app.getHostContext();
const instanceId = hostContext?.toolInfo?.id ?? crypto.randomUUID();

Broadcast and compare on a shared channel

Broadcast the key and compare against every sibling you hear from. The comparison is createdAt, tie-broken by seq, then by instance ID for determinism. Ignore inbound messages until your own key is finalized so you never reply with an undefined key.
const channel = new BroadcastChannel("my-app-cart-supersede");
const peers = new Map<string, { orderKey: number; seq?: number; instanceId: string }>();

function isYounger(other: { orderKey: number; seq?: number; instanceId: string }) {
  // keyFinalized guards every call site, so orderKey is set by the time this runs.
  if (other.orderKey !== orderKey) return other.orderKey > orderKey!;
  if (other.seq != null && seq != null && other.seq !== seq) return other.seq > seq;
  return String(other.instanceId) > String(instanceId);
}

function recompute() {
  superseded = [...peers.values()].some(isYounger);
  render(); // defined in "Reflect the state in the UI" below
}

channel.onmessage = (ev) => {
  const msg = ev.data;
  if (!msg || msg.instanceId === instanceId) return;
  if (!keyFinalized) return;
  if (msg.type === "hello") {
    channel.postMessage({ type: "born", instanceId, orderKey, seq });
  }
  peers.set(msg.instanceId, msg);
  recompute();
};

function announce() {
  channel.postMessage({ type: "hello", instanceId, orderKey, seq });
  channel.postMessage({ type: "born", instanceId, orderKey, seq });
}

Gate host-mutating calls on !superseded

The election only matters if superseded instances actually stop talking to Claude. Guard every call to updateModelContext or sendMessage:
// addButton, card, badge: elements in your widget's DOM.
// pickRandomItem: your own helper that returns a string.

function updateModelContext() {
  if (superseded) return;
  app.updateModelContext({
    content: [{ type: "text", text: `Cart has ${items.length} item(s): ${items.join(", ")}.` }],
  });
}

addButton.onclick = () => {
  if (superseded) return;
  items.push(pickRandomItem());
  render();
  updateModelContext();
};

Reflect the state in the UI

In your render function, disable buttons and show a banner that points the user to the newest instance:
function render() {
  card.classList.toggle("superseded", superseded);
  badge.textContent = superseded ? "Superseded" : "Live";
  addButton.disabled = superseded;
}

Special considerations

The election above covers the common case. A production widget should also handle the following.

Channel scope and ui.domain

BroadcastChannel is same-origin only. How far that origin extends depends on whether you set _meta.ui.domain on your resource:
  • Without ui.domain (the default), Claude derives the iframe origin from the conversation and connector, so the broadcast is scoped to a single conversation.
  • With a fixed ui.domain, the origin is shared across every conversation and tab for your connector. A fixed channel name would let a widget in one conversation supersede a widget in another. Neither hostContext nor the tool-call arguments include a Claude-provided conversation ID, so if you need both a fixed domain and per-conversation elections, generate your own scope key on the server (for example, a UUID minted once per client connection) and return it in structuredContent for the widget to append to the channel name.

Fall back if the server key is delayed

The main snippet above waits for the toolresult event before announcing. If you want the widget to participate in the election even when that event is slow to arrive, replace that listener with one that resolves a promise, and race the promise against a short timeout after connect():
let resolveServerKey!: (k: { orderKey: number; seq?: number }) => void;
const serverKeyReady = new Promise<{ orderKey: number; seq?: number }>(
  (r) => (resolveServerKey = r),
);

// Replaces the toolresult listener from the first widget snippet.
app.addEventListener("toolresult", (params) => {
  const sc = params.structuredContent as CartResult | undefined;
  if (sc?.items) items = sc.items;
  if (sc && Number.isFinite(sc.createdAt)) {
    resolveServerKey({ orderKey: sc.createdAt!, seq: sc.seq });
  }
});

// Place after the announce() definition in the broadcast snippet,
// so channel is initialized before announce() runs.
const serverKey = await Promise.race([
  serverKeyReady,
  new Promise<null>((r) => setTimeout(() => r(null), 1000)),
]);
orderKey = serverKey?.orderKey ?? Date.now();
seq = serverKey?.seq;
keyFinalized = true;
announce();
If the server key arrives after the timeout, adopt it, recompute superseded against the peers you have already heard from, and re-announce so siblings update their view of you. The recomputed result may flip the instance back to live.

Fallback caveat: don’t compare server and client timestamps

This applies only if you implemented the fallback above. If you fall back to a client-side Date.now() while waiting for the server key, tag the key with its source and refuse to compare a client value against a server value. A server createdAt from a tool call made hours ago will always be smaller than a fresh client timestamp, which would wrongly hand “live” to whichever instance happened to fall back. Include keySource in the broadcast payload (announce() and the born reply) and in the peers Map value type so siblings can read it:
type KeySource = "server" | "client";
let keySource: KeySource = "client";

function isYounger(other: { orderKey: number; seq?: number; instanceId: string; keySource: KeySource }) {
  if ((other.keySource === "server") !== (keySource === "server")) return false;
  // keyFinalized guards every call site, so orderKey is set by the time this runs.
  if (other.orderKey !== orderKey) return other.orderKey > orderKey!;
  if (other.seq != null && seq != null && other.seq !== seq) return other.seq > seq;
  return String(other.instanceId) > String(instanceId);
}

Caching the key across remounts

On Claude.ai web, hostContext.toolInfo.id is the stable tool-use ID, so you can persist the resolved server key to localStorage keyed by that ID and reuse it on the next mount without waiting for the toolresult event again. Treat this as an optimization rather than a correctness guarantee. On Claude iOS, toolInfo.id is undefined when a stored conversation is rehydrated, so there is no stable per-instance cache key. Detect that case and skip the cache; the server key from the toolresult event is the only ordering source that works on every platform.

If you bypass the SDK App class

The snippets on this page use the SDK’s App class. If you instead hand-roll a minimal postMessage bridge, it will silently drop requests sent from the host to the widget, such as ping (a liveness check) and ui/resource-teardown (the host asking the widget to clean up before unmount). Claude.ai web does not currently send either to widgets, and Claude iOS sends ui/resource-teardown only when the user navigates away from the conversation, so ignoring them is harmless today. The App class handles the full request surface and is recommended for production.