diff --git a/README.md b/README.md
index a3e7526..c8afb36 100644
--- a/README.md
+++ b/README.md
@@ -1,17 +1,9 @@
-[](https://github.com/huggingface/smolagents/releases)
-[](https://github.com/ephemerahq/xmtp-agents/blob/main/LICENSE)
-
-

-
# xmtp-agents
-[`@xmtp/agent-starter`](https://github.com/ephemeraHQ/xmtp-agents/tree/main/packages/agent-starter).
-is a library for building agents that communicate over the [XMTP](https://xmtp.org/) network.
-
#### Why XMTP?
- **End-to-end & compliant**: Data is encrypted in transit and at rest, meeting strict security and regulatory standards.
@@ -22,192 +14,95 @@ is a library for building agents that communicate over the [XMTP](https://xmtp.o
> See [FAQ](https://docs.xmtp.org/intro/faq) for more detailed information.
-## Setup
-
-```bash
-yarn add @xmtp/agent-starter
-```
-
-#### Environment variables
-
-To run your XMTP agent, you need two keys:
-
-```bash
-WALLET_KEY= # the private key of the wallet
-ENCRYPTION_KEY= # a second fixed or random 32 bytes encryption key for the local db
-```
-
-> See [encryption keys](https://github.com/ephemeraHQ/xmtp-agents/tree/main/packages/agent-starter/README.md#encryption-keys) to learn more.
-
-## Basic usage
-
-These are the steps to initialize the XMTP listener and send messages.
+## Groups
-- `WALLET_KEY`: The private key of the wallet that will be used to send or receive messages.
+> [!NOTE]
+> You need to add the agent **as a member** to the group.
```tsx
-import { xmtpClient } from "@xmtp/agent-starter";
-
-async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(`Decoded message: ${message.content.text} from ${message.sender.address}`)
-
- // Your AI model response
- const response = await api("Hi, how are you?");
+// Create group
+const group = await client?.conversations.newGroup([address1, address2]);
- //Send text message
- await client.send({
- message: response,
- originalMessage: message,
- });
- };
- });
+// Add member
+await group.addMembers([0xaddresses]);
- console.log("XMTP client is up and running on address " + client.address);
-}
+// Change group metadata
+await group.name("New name")
-main().catch(console.error);
+// get group members
+const members = await group.members();
```
-#### Address availability
-
-Returns `true` if an address is reachable on the xmtp network
-
-```typescript
-const isOnXMTP = await client.canMessage(address);
-```
+> To learn more about groups, read the [XMTP documentation](https://docs.xmtp.org).
-## Examples
+## Keys
-Various examples and tutorials to help you get started with creating and deploying your own agents using XMTP.
+By default, your bot will have a new address every time you start it up. That's ideal. If you have a private key, you can encode it to a hex string and set the KEY environment variable. Your bot will then use this key to connect to the network.
-- [gated-group](/examples/gated-group/): Create a gated group chat that verifies NFT ownership using Alchemy.
-- [gm](/examples/gm/): A simple agent that replies with `gm`.
-- [gpt](/examples/gpt): A simple agent that interacts with OpenAI APIs.
-- [express](/examples/express/): Communicate with traditional APIs using xmtp e2ee
+XMTP uses two types of keys:
-> See all the available [examples](/examples/).
+1. **Wallet Key**:
-## Deployment
+ - An Ethereum private key (e.g. `0x123...`) that defines your bot’s **on-chain identity** (its public address) (e.g. `hi.xmtp.eth`).
+ - By providing this key, messages sent from your bot will be tied to a consistent address.
-Learn how to deploy with:
+2. **Encryption Key**:
+ - Protects your **local database** of stored messages (it does not affect on-chain identity).
+ - If not provided, it’s created automatically and saved to your `.env`.
-- [Railway](/examples/railway/)
-- [Replit](/examples/replit/)
+### 1. Provide a private key
-## Groups
+If you already have a key, place it in `.env`:
-> [!NOTE]
-> You need to add the agent **as a member** to the group.
-
-To create a group from your agent, you can use the following code:
-
-```tsx
-const group = await client?.conversations.newGroup([address1, address2]);
+```bash
+WALLET_KEY=0xYOUR_PRIVATE_KEY
```
-As an admin you can add members to the group.
+**Usage**:
-```tsx
-// get the group
-await group.sync();
-//By address
-await group.addMembers([0xaddresses]);
+```ts
+const agent = await createClient({
+ walletKey: process.env.WALLET_KEY,
+});
```
-> To learn more about groups, read the [XMTP documentation](https://docs.xmtp.org).
-
-## Message handling
+The bot reuses this key, retaining the same address each time it starts.
-`agent-starter` provides an abstraction to XMTP [content types](https://github.com/xmtp/xmtp-js/tree/main/content-types) to make it easier for devs to integrate different types of messages.
+---
-### Receiving messages
+### 2. Automatically generate a key
-All new messages trigger the `onMessage` callback:
+If you don’t set `WALLET_KEY`, the bot creates a new one at runtime:
-```tsx
-const onMessage = async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} from ${message.sender.address}`,
- );
-
- // Your logic
-};
+```ts
+const agent = await createClient();
```
-### Sending messages
-
-When you build an app with XMTP, all messages are encoded with a content type to ensure that an XMTP client knows how to encode and decode messages, ensuring interoperability and consistent display of messages across apps.
+**Workflow**:
-### Text
+1. A fresh Ethereum private key is generated.
+2. Key details are saved to your `.env` so the bot reuses them in future runs.
-Sends a text message.
+---
-```tsx
-let textMessage: clientMessage = {
- message: "Your message.",
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
-};
-await client.send(textMessage);
-```
+### 3. Use a named key
-### Agent message
+When running multiple bots, each can have a distinct name to avoid overwriting each other’s keys:
-Allows to send structured metadata over the network that is displayed as plain-text in ecosystem inboxes.
-
-```tsx
-let clientMessage: clientMessage = {
- message: "Would you like to approve this transaction?",
- metadata: {
- amount: "10",
- token: "USDC",
- },
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
- typeId: "agent_message",
-};
-await client.send(clientMessage);
+```ts
+const agent = await createClient({ name: "botA" });
```
-> See [content-types](https://github.com/xmtp/xmtp-js/tree/main/content-types/content-type-reaction) for reference
+In `.env`, this will be stored as `WALLET_KEY_botA=...`
+**Benefit**: Simplifies managing multiple identities from one project.
## Web inbox
Interact with the XMTP protocol using [xmtp.chat](https://xmtp.chat) the official web inbox for developers using the latest version powered by MLS.
-
-
-> [!WARNING]
-> This React app isn't a complete solution. For example, the list of conversations doesn't update when new messages arrive in existing conversations.
-
-## Lookup library
-
-This library helps you to lookup identities into EVM addresses compatible with XMTP.
-
-```tsx
-import { lookup } from "@xmtp/lookup";
-
-const identifier = "vitalik.eth";
-const info = await lookup(identifier);
-```
-
-Result:
-
-```json
-{
- "ensDomain": "vitalik.eth",
- "address": "0x1234...",
- "preferredName": "vitalik.eth",
- "converseUsername": "",
- "avatar": "https://...",
- "converseDeeplink": "https://converse.xyz/dm/..."
-}
-```
+
-> Learn more about [`lookup`](/packages/lookup/) library
+> To learn more about dev tool visit the [official repo](https://github.com/xmtp/xmtp-js/tree/main/apps/xmtp.chat)
## Development
@@ -222,6 +117,17 @@ yarn install
# build
yarn build
-# or run a specific example
-yarn examples gm
+# gm example
+yarn gm
+# or
+cd examples
+cd gm
+yarn dev
+
+# gated group example
+yarn gated
+# or
+cd examples
+cd gated-group
+yarn dev
```
diff --git a/media/chat.png b/chat.png
similarity index 100%
rename from media/chat.png
rename to chat.png
diff --git a/examples/README.md b/examples/README.md
deleted file mode 100644
index 8db8b8e..0000000
--- a/examples/README.md
+++ /dev/null
@@ -1,41 +0,0 @@
-# Examples
-
-Here, you will find various examples and tutorials to help you get started with creating and deploying your own agents using XMTP.
-
-- [gated-group](/examples/gated-group/): Create a gated group chat that verifies NFT ownership using Alchemy.
-- [gm](/examples/gm/): A simple agent that replies with "GM".
-- [gpt](/examples/gpt): A simple agent that interacts with OpenAI APIs.
-- [express](/examples/express/): Communicate with traditional api endpoints using xmtp e2ee
-- [railway](/examples/railway/): A tutorial on how to deploy your agent on Railway.
-- [replit](/examples/replit/): A tutorial on how to deploy your agent on Replit.
-
-## Development
-
-```bash
-# clone the repository
-git clone https://github.com/ephemeraHQ/xmtp-agents/
-cd xmtp-agents
-
-# install dependencies
-yarn install
-
-# build
-yarn build
-
-# run sample agents from the examples directory
-yarn examples
-
-# or run a specific example
-yarn examples gm
-```
-
-Use a `.env` file for your environment variables:
-
-```bash
-WALLET_KEY= # the private key of the wallet
-ENCRYPTION_KEY= # a second fixed or random 32 bytes encryption key for the local db
-```
-
-## Contribute
-
-We welcome contributions! Check out the [contributing](CONTRIBUTING.md) file for more information on how to get started.
diff --git a/examples/express/.env.example b/examples/express/.env.example
deleted file mode 100644
index 240b646..0000000
--- a/examples/express/.env.example
+++ /dev/null
@@ -1,2 +0,0 @@
-WALLET_KEY= # the private key of the wallet
-ENCRYPTION_KEY= # a second fixed or random 32 bytes encryption key for the local db
\ No newline at end of file
diff --git a/examples/express/.gitignore b/examples/express/.gitignore
deleted file mode 100644
index 03c71e7..0000000
--- a/examples/express/.gitignore
+++ /dev/null
@@ -1,22 +0,0 @@
-# Main
-.env
-node_modules/
-.data/
-dist/
-.DS_Store
-
-# Logs
-logs/
-*.log
-npm-debug.log*
-yarn-debug.log*
-yarn-error.log*
-
-# IDE files
-.vscode/
-.idea/
-
-# packages
-.yarn/
-.pnpm/
-.pnpm-workspace/
\ No newline at end of file
diff --git a/examples/express/README.md b/examples/express/README.md
deleted file mode 100644
index ffd7033..0000000
--- a/examples/express/README.md
+++ /dev/null
@@ -1,77 +0,0 @@
-# E2EE with XMTP Handshake
-
-> [!WARNING]
-> This is a proof of concept and is not officially supported by XMTP protocol.
-
-XMTP assists in verifying identities and establishing the initial handshake to share the shared secret. Afterward, you manage **end-to-end encryption** independently, ensuring complete privacy by never exposing plaintext messages outside your environment.
-
-1. **Use XMTP** network only once to exchange a shared secret. You only need to know the sender/reciever xmtp address (evm).
-2. **Encrypt** messages locally with [`@xmtp/agent-starter`](https://github.com/xmtp-labs/agent-starter).
-3. **Send** only `nonce` + `ciphertext` across your own servers, **no plaintext** ever leaves your app.
-4. **Decrypt**: Recive the message using a standard web2 API and decrypt it.
-
-Below is a simple example using Node.js and Express to demonstrate the encryption and decryption process.
-
-## Sending encrypted message
-
-#### Create XMTP client
-
-```javascript
-import { xmtpClient } from "@xmtp/agent-starter";
-
-async function main() {
- const agentA = await xmtpClient({ name: "bob" });
- // ...
-}
-```
-
-Agent A encrypts a message intended for Agent B.
-
-```tsx
-setTimeout(async () => {
- const { nonce, ciphertext } = await agentA.encrypt(
- "Hello from A!",
- agentB.address,
- );
- await fetch("http://localhost:3001/receive", {
- method: "POST",
- headers: { "Content-Type": "application/json" },
- body: JSON.stringify({ nonce, ciphertext, fromAddress: agentA.address }),
- });
-}, 2000);
-```
-
-- **agentA.encrypt**: This function encrypts the plaintext message "Hello from A!" using Agent B's address.
-- **nonce**: A unique number used once to ensure that the same plaintext will encrypt to different ciphertexts each time.
-- **ciphertext**: The encrypted version of the message that can be safely sent over the network.
-
-### Decrypting message
-
-#### Create XMTP client
-
-```javascript
-import { xmtpClient } from "@xmtp/agent-starter";
-
-async function main() {
- const agentB = await xmtpClient({ name: "bob" });
- // ...
-}
-```
-
-Agent B decrypts the received message.
-
-```javascript
-appB.post("/receive", async (req, res) => {
- const { nonce, ciphertext, fromAddress } = req.body;
- const msg = await agentB.decrypt(nonce, ciphertext, fromAddress);
- console.log("B decrypted:", msg);
- res.json({ success: true });
-});
-```
-
-- **agentB.decrypt**: This function takes the `nonce`, `ciphertext`, and the sender's address (`fromAddress`) as inputs to decrypt the message.
-- **msg**: The decrypted plaintext message that was originally sent by Agent A.
-
-### Summary
-
-This example demonstrates a simple proof of concept for end-to-end encryption using XMTP. It sets up two agents and two servers, encrypts a message, and sends it securely from one agent to another. The servers handle the decryption of received messages.
diff --git a/examples/express/package.json b/examples/express/package.json
deleted file mode 100644
index cdec32a..0000000
--- a/examples/express/package.json
+++ /dev/null
@@ -1,24 +0,0 @@
-{
- "name": "@example/multi-agent-express",
- "private": true,
- "type": "module",
- "scripts": {
- "build": "tsc",
- "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf dist",
- "dev": "tsc -w & sleep 1 && NODE_NO_WARNINGS=1 node --watch dist/index.js",
- "start": "node dist/index.js"
- },
- "dependencies": {
- "@xmtp/agent-starter": "workspace:*",
- "axios": "^1.7.9",
- "express": "^5.0.1"
- },
- "devDependencies": {
- "@types/express": "^5.0.0",
- "@types/node": "^22.10.9",
- "typescript": "^5.7.3"
- },
- "engines": {
- "node": ">=22"
- }
-}
diff --git a/examples/express/src/index.ts b/examples/express/src/index.ts
deleted file mode 100644
index 7cc79dc..0000000
--- a/examples/express/src/index.ts
+++ /dev/null
@@ -1,82 +0,0 @@
-import { xmtpClient, type XMTP } from "@xmtp/agent-starter";
-import express, { type Request, type Response } from "express";
-import fetch from "node-fetch";
-
-async function createServer(port: number, agent: XMTP) {
- const app = express();
- app.use(express.json());
-
- // Endpoint to RECEIVE encrypted messages
- app.post("/receive", (req: Request, res: Response) => {
- const { nonce, ciphertext, fromAddress } = req.body as {
- nonce: string;
- ciphertext: string;
- fromAddress: string;
- };
- agent
- .decrypt(nonce, ciphertext, fromAddress)
- .then((decryptedMessage) => {
- console.log(`Server on port ${port} decrypted:`, decryptedMessage);
- res.json({ success: true, decryptedMessage });
- })
- .catch((error: unknown) => {
- console.error("Error in /receive:", error);
- res.status(500).json({ error: (error as Error).message });
- });
- });
-
- return new Promise((resolve) => {
- const server = app.listen(port, () => {
- console.log(`Server on port ${port} is running...`);
- resolve(server);
- });
- });
-}
-
-async function main() {
- // 1. Initialize both agents
- const agentA = await xmtpClient({
- name: "bob",
- });
- const agentB = await xmtpClient({
- name: "alice",
- });
-
- // If the above logs show `undefined`, check if the library uses a different property
- // or if you need to call something like `await agentA.init()` or `agentA.wallet.address`.
-
- // 3. Start servers
- await createServer(3000, agentA);
- await createServer(3001, agentB);
-
- // 4. Give a moment for servers to start
- await new Promise((resolve) => setTimeout(resolve, 1000));
-
- // 5. Encrypt + send messages
- try {
- // A -> B: We encrypt for agentB.address
- const msgA = "Hello from Agent A!";
- console.log("msgA =", msgA);
- console.log("agentB.address =", agentB.address);
- const { nonce, ciphertext } = await agentA.encrypt(
- msgA,
- agentB.address as string,
- );
- console.log("Sent to B:", { nonce, ciphertext });
- const response = await fetch("http://localhost:3001/receive", {
- method: "POST",
- headers: { "Content-Type": "application/json" },
- body: JSON.stringify({
- nonce: nonce,
- ciphertext: ciphertext,
- fromAddress: agentA.address as string, // the "sender"
- }),
- });
- const result = await response.json();
- console.log("A -> B result:", result);
- } catch (error) {
- console.error("Error sending message from A->B:", (error as Error).message);
- }
-}
-
-main().catch(console.error);
diff --git a/examples/express/tsconfig.json b/examples/express/tsconfig.json
deleted file mode 100644
index 5e0d946..0000000
--- a/examples/express/tsconfig.json
+++ /dev/null
@@ -1,19 +0,0 @@
-{
- "include": ["src/**/*"],
- "compilerOptions": {
- "outDir": "./dist",
- "esModuleInterop": true,
- "declaration": true,
- "declarationMap": true,
- "forceConsistentCasingInFileNames": true,
- "isolatedModules": true,
- "lib": ["ESNext"],
- "module": "ESNext",
- "moduleResolution": "node",
- "resolveJsonModule": true,
- "skipLibCheck": true,
- "sourceMap": true,
- "strict": true,
- "target": "ESNext"
- }
-}
diff --git a/examples/gated-group/README.md b/examples/gated-group/README.md
index 96d5cc0..db09022 100644
--- a/examples/gated-group/README.md
+++ b/examples/gated-group/README.md
@@ -15,8 +15,8 @@ ENCRYPTION_KEY= # a second fixed or random 32 bytes encryption key for the local
Start your XMTP client and begin listening to messages from the bot.
```tsx
-const agent = await xmtpClient({
- onMessage: async (message: Message) => {
+const agent = await createClient({
+ streamMessageCallback: async (message: Message) => {
// Of message is /create then proceed to create a group.
if (message?.content.text === "/create") {
//This is a arbitrary trigger but you can embed this logic into any server.
@@ -49,7 +49,7 @@ app.post("/add-wallet", async (req, res) => {
console.log("User cant be added to the group");
return;
} else {
- await addToGroup(groupId, agent?.client as Client, walletAddress, true);
+ await addToGroup(groupId, agent?.client, walletAddress, true);
}
}
```
@@ -98,10 +98,10 @@ Use the `createGroup` function to create a new group conversation and set both t
```tsx
export async function createGroup(
- client: Client | undefined,
+ client: Client,
members: string[],
- senderAddress: string | undefined,
- clientAddress: string | undefined,
+ senderAddress: string,
+ clientAddress: string,
) {
try {
await client?.conversations.sync();
diff --git a/examples/gated-group/package.json b/examples/gated-group/package.json
index cbf04b3..62bd23c 100644
--- a/examples/gated-group/package.json
+++ b/examples/gated-group/package.json
@@ -9,13 +9,16 @@
"start": "node dist/index.js"
},
"dependencies": {
- "@xmtp/agent-starter": "workspace:*",
+ "@xmtp/content-type-primitives": "^2.0.0",
+ "@xmtp/content-type-text": "^2.0.0",
+ "@xmtp/node-sdk": "^0.0.40",
"alchemy-sdk": "^3.5.1",
"express": "^4.21.2"
},
"devDependencies": {
"@types/express": "^4.17.21",
"@types/node": "^22.10.9",
+ "dotenv": "latest",
"typescript": "^5.7.3"
},
"engines": {
diff --git a/examples/gated-group/src/groups.ts b/examples/gated-group/src/groups.ts
new file mode 100644
index 0000000..8a00344
--- /dev/null
+++ b/examples/gated-group/src/groups.ts
@@ -0,0 +1,122 @@
+import type { Client } from "@xmtp/node-sdk";
+
+export async function createGroup(
+ client: Client,
+ senderAddress: string,
+ clientAddress: string,
+) {
+ try {
+ let senderInboxId = "";
+ await client.conversations.sync();
+ const conversations = client.conversations.list();
+ console.log("Conversations", conversations.length);
+ /* If you have the inboxId you can use group.addMembersByInboxId instead*/
+ const group = await client.conversations.newGroup([
+ senderAddress,
+ clientAddress,
+ ]);
+ console.log("Group created", group.id);
+ const members = await group.members();
+ const senderMember = members.find((member) =>
+ member.accountAddresses.includes(senderAddress.toLowerCase()),
+ );
+
+ if (senderMember) {
+ senderInboxId = senderMember.inboxId;
+ console.log("Sender's inboxId:", senderInboxId);
+ } else {
+ console.log("Sender not found in members list");
+ }
+ await group.addSuperAdmin(senderInboxId);
+ console.log("Sender is superAdmin", group.isSuperAdmin(senderInboxId));
+ await group.send(`Welcome to the new group!`);
+ await group.send(`You are now the admin of this group as well as the bot`);
+ return group;
+ } catch (error) {
+ console.log("Error creating group", error);
+ return null;
+ }
+}
+
+export async function removeFromGroup(
+ groupId: string,
+ client: Client,
+ senderAddress: string,
+): Promise {
+ try {
+ const lowerAddress = senderAddress.toLowerCase();
+ const isOnXMTP = await client.canMessage([lowerAddress]);
+ console.warn("Checking if on XMTP: ", isOnXMTP);
+ if (!isOnXMTP.get(lowerAddress)) {
+ console.error("You don't seem to have a v3 identity ");
+ return;
+ }
+ const conversation = client.conversations.getConversationById(groupId);
+ console.warn("removing from group", conversation?.id);
+ await conversation?.sync();
+ await conversation?.removeMembers([lowerAddress]);
+ console.warn("Removed member from group");
+ await conversation?.sync();
+ const members = await conversation?.members();
+ console.warn("Number of members", members?.length);
+
+ let wasRemoved = true;
+ if (members) {
+ for (const member of members) {
+ const lowerMemberAddress = member.accountAddresses[0].toLowerCase();
+ if (lowerMemberAddress === lowerAddress) {
+ wasRemoved = false;
+ break;
+ }
+ }
+ }
+ console.log(
+ "You have been removed from the group",
+ wasRemoved ? "success" : "failed",
+ );
+ return;
+ } catch (error) {
+ console.log("Error removing from group", error);
+ return;
+ }
+}
+
+export async function addToGroup(
+ groupId: string,
+ client: Client,
+ address: string,
+ asAdmin: boolean = false,
+): Promise {
+ try {
+ const lowerAddress = address.toLowerCase();
+ const isOnXMTP = await client.canMessage([lowerAddress]);
+ if (!isOnXMTP.get(lowerAddress)) {
+ console.error("You don't seem to have a v3 identity ");
+ return;
+ }
+ const group = client.conversations.getConversationById(groupId);
+ console.warn("Adding to group", group?.id);
+ await group?.sync();
+ await group?.addMembers([lowerAddress]);
+ console.warn("Added member to group");
+ await group?.sync();
+ if (asAdmin) {
+ await group?.addSuperAdmin(lowerAddress);
+ }
+ const members = await group?.members();
+ console.warn("Number of members", members?.length);
+
+ if (members) {
+ for (const member of members) {
+ const lowerMemberAddress = member.accountAddresses[0].toLowerCase();
+ if (lowerMemberAddress === lowerAddress) {
+ console.warn("Member exists", lowerMemberAddress);
+ return;
+ }
+ }
+ }
+ return;
+ } catch (error) {
+ console.error("Error adding to group", error);
+ }
+}
diff --git a/examples/gated-group/src/index.ts b/examples/gated-group/src/index.ts
index d05b0f2..42fb9bc 100644
--- a/examples/gated-group/src/index.ts
+++ b/examples/gated-group/src/index.ts
@@ -1,6 +1,8 @@
-import { xmtpClient, type Client, type Message } from "@xmtp/agent-starter";
+import type { DecodedMessage } from "@xmtp/node-sdk";
import { Alchemy, Network } from "alchemy-sdk";
import express, { type Request, type Response } from "express";
+import { addToGroup, createGroup } from "./groups.js";
+import { createClient, getAddressFromInboxId } from "./xmtp.js";
const settings = {
apiKey: process.env.ALCHEMY_API_KEY, // Replace with your Alchemy API key
@@ -8,31 +10,37 @@ const settings = {
};
async function main() {
- const client = await xmtpClient({
+ const client = await createClient({
walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- if (message.typeId !== "text") return;
-
- if (message.content.text === "/create") {
+ streamMessageCallback: async (message: DecodedMessage) => {
+ if (message.contentType?.typeId !== "text") return;
+ const conversation = client.conversations.getConversationById(
+ message.conversationId,
+ );
+ if (!conversation) {
+ console.error("Conversation not found");
+ return;
+ }
+ if (message.content === "/create") {
console.log("Creating group");
+ const senderAddress = await getAddressFromInboxId(
+ conversation,
+ message.senderInboxId,
+ );
+
const group = await createGroup(
- client.client,
- message.sender.address,
- client.address as string,
+ client,
+ senderAddress,
+ client.accountAddress,
+ );
+ await conversation.send(
+ `Group created!\n- ID: ${group?.id}\n- Group URL: https://xmtp.chat/conversations/${group?.id}: \n- This url will deeplink to the group created\n- Once in the other group you can share the invite with your friends.`,
);
- await client.send({
- message: `Group created!\n- ID: ${group?.id}\n- Group URL: https://xmtp.chat/conversations/${group?.id}: \n- This url will deeplink to the group created\n- Once in the other group you can share the invite with your friends.`,
- originalMessage: message,
- metadata: {},
- });
return;
} else {
- await client.send({
- message:
- "👋 Welcome to the Gated Bot Group!\nTo get started, type /create to set up a new group. 🚀\nThis example will check if the user has a particular nft and add them to the group if they do.\nOnce your group is created, you'll receive a unique Group ID and URL.\nShare the URL with friends to invite them to join your group!",
- originalMessage: message,
- metadata: {},
- });
+ await conversation.send(
+ "👋 Welcome to the Gated Bot Group!\nTo get started, type /create to set up a new group. 🚀\nThis example will check if the user has a particular nft and add them to the group if they do.\nOnce your group is created, you'll receive a unique Group ID and URL.\nShare the URL with friends to invite them to join your group!",
+ );
}
},
});
@@ -45,18 +53,19 @@ async function main() {
walletAddress: string;
groupId: string;
};
- // const verified = true; // (await checkNft(walletAddress, "XMTPeople"));
- // if (!verified) {
- // console.log("User cant be added to the group");
- // return;
- // } else {
- addToGroup(groupId, client.client as Client, walletAddress, true)
- .then(() => {
- res.status(200).send("success");
- })
- .catch((error: unknown) => {
- res.status(400).send((error as Error).message);
- });
+ const verified = true; // (await checkNft(walletAddress, "XMTPeople"));
+ if (!verified) {
+ console.log("User cant be added to the group");
+ return;
+ } else {
+ addToGroup(groupId, client, walletAddress, true)
+ .then(() => {
+ res.status(200).send("success");
+ })
+ .catch((error: unknown) => {
+ res.status(400).send((error as Error).message);
+ });
+ }
});
// Start the servfalcheer
const PORT = process.env.PORT || 3000;
@@ -67,134 +76,12 @@ async function main() {
);
});
console.log(
- `XMTP agent initialized on ${client.address}\nSend a message on http://xmtp.chat/dm/${client.address}`,
+ `XMTP agent initialized on ${client.accountAddress}\nSend a message on http://xmtp.chat/dm/${client.accountAddress}`,
);
}
main().catch(console.error);
-export async function createGroup(
- client: Client | undefined,
- senderAddress: string,
- clientAddress: string,
-) {
- if (!client) {
- throw new Error("Client not initialized");
- }
- try {
- let senderInboxId = "";
- await client.conversations.sync();
- const conversations = client.conversations.list();
- console.log("Conversations", conversations.length);
- const group = await client.conversations.newGroup([
- senderAddress,
- clientAddress,
- ]);
- console.log("Group created", group.id);
- const members = await group.members();
- const senderMember = members.find((member) =>
- member.accountAddresses.includes(senderAddress.toLowerCase()),
- );
- if (senderMember) {
- senderInboxId = senderMember.inboxId;
- console.log("Sender's inboxId:", senderInboxId);
- } else {
- console.log("Sender not found in members list");
- }
- await group.addSuperAdmin(senderInboxId);
- console.log("Sender is superAdmin", group.isSuperAdmin(senderInboxId));
- await group.send(`Welcome to the new group!`);
- await group.send(`You are now the admin of this group as well as the bot`);
- return group;
- } catch (error) {
- console.log("Error creating group", error);
- return null;
- }
-}
-
-export async function removeFromGroup(
- groupId: string,
- client: Client,
- senderAddress: string,
-): Promise {
- try {
- const lowerAddress = senderAddress.toLowerCase();
- const isOnXMTP = await client.canMessage([lowerAddress]);
- console.warn("Checking if on XMTP: ", isOnXMTP);
- if (!isOnXMTP.get(lowerAddress)) {
- console.error("You don't seem to have a v3 identity ");
- return;
- }
- const conversation = client.conversations.getConversationById(groupId);
- console.warn("removing from group", conversation?.id);
- await conversation?.sync();
- await conversation?.removeMembers([lowerAddress]);
- console.warn("Removed member from group");
- await conversation?.sync();
- const members = await conversation?.members();
- console.warn("Number of members", members?.length);
-
- let wasRemoved = true;
- if (members) {
- for (const member of members) {
- const lowerMemberAddress = member.accountAddresses[0].toLowerCase();
- if (lowerMemberAddress === lowerAddress) {
- wasRemoved = false;
- break;
- }
- }
- }
- console.log(
- "You have been removed from the group",
- wasRemoved ? "success" : "failed",
- );
- return;
- } catch (error) {
- console.log("Error removing from group", error);
- return;
- }
-}
-
-export async function addToGroup(
- groupId: string,
- client: Client,
- address: string,
- asAdmin: boolean = false,
-): Promise {
- try {
- const lowerAddress = address.toLowerCase();
- const isOnXMTP = await client.canMessage([lowerAddress]);
- if (!isOnXMTP.get(lowerAddress)) {
- console.error("You don't seem to have a v3 identity ");
- return;
- }
- const group = client.conversations.getConversationById(groupId);
- console.warn("Adding to group", group?.id);
- await group?.sync();
- await group?.addMembers([lowerAddress]);
- console.warn("Added member to group");
- await group?.sync();
- if (asAdmin) {
- await group?.addSuperAdmin(lowerAddress);
- }
- const members = await group?.members();
- console.warn("Number of members", members?.length);
-
- if (members) {
- for (const member of members) {
- const lowerMemberAddress = member.accountAddresses[0].toLowerCase();
- if (lowerMemberAddress === lowerAddress) {
- console.warn("Member exists", lowerMemberAddress);
- return;
- }
- }
- }
- return;
- } catch (error) {
- console.error("Error adding to group", error);
- }
-}
-
export async function checkNft(
walletAddress: string,
collectionSlug: string,
diff --git a/examples/gated-group/src/keys.ts b/examples/gated-group/src/keys.ts
new file mode 100644
index 0000000..9b30222
--- /dev/null
+++ b/examples/gated-group/src/keys.ts
@@ -0,0 +1,64 @@
+import { getRandomValues } from "node:crypto";
+import * as fs from "node:fs";
+import path from "path";
+import { toBytes, toHex } from "viem";
+
+class KeyManager {
+ private suffix: string;
+
+ constructor(suffix: string = "") {
+ this.suffix = suffix;
+ }
+
+ generateKeys(
+ walletKey?: string,
+ encryptionKey?: string,
+ ): {
+ walletKey: string;
+ encryptionKey: string;
+ encryptionKeyBytes: Uint8Array;
+ } {
+ encryptionKey =
+ encryptionKey ??
+ process.env["ENCRYPTION_KEY" + this.suffix] ??
+ toHex(getRandomValues(new Uint8Array(32)));
+
+ if (!encryptionKey.startsWith("0x")) {
+ encryptionKey = "0x" + encryptionKey;
+ }
+ const encryptionKeyBytes = new Uint8Array(
+ toBytes(encryptionKey as `0x${string}`),
+ );
+
+ walletKey =
+ walletKey ??
+ process.env["WALLET_KEY" + this.suffix] ??
+ toHex(getRandomValues(new Uint8Array(32)));
+
+ if (!walletKey.startsWith("0x")) {
+ walletKey = "0x" + walletKey;
+ }
+ return { walletKey, encryptionKey, encryptionKeyBytes };
+ }
+
+ saveKeys(walletKey: string, encryptionKey: string) {
+ const envFilePath = path.resolve(process.cwd(), ".env");
+ const envContent = `\nENCRYPTION_KEY${this.suffix}=${encryptionKey}\nWALLET_KEY${this.suffix}=${walletKey}`;
+
+ // Read the existing .env file content
+ let existingEnvContent = "";
+ if (fs.existsSync(envFilePath)) {
+ existingEnvContent = fs.readFileSync(envFilePath, "utf8");
+ }
+
+ // Check if the keys already exist
+ if (
+ !existingEnvContent.includes(`ENCRYPTION_KEY${this.suffix}=`) &&
+ !existingEnvContent.includes(`WALLET_KEY${this.suffix}=`)
+ ) {
+ fs.appendFileSync(envFilePath, envContent);
+ }
+ }
+}
+
+export default KeyManager;
diff --git a/examples/gated-group/src/viem.ts b/examples/gated-group/src/viem.ts
new file mode 100644
index 0000000..5a2202c
--- /dev/null
+++ b/examples/gated-group/src/viem.ts
@@ -0,0 +1,36 @@
+import { createWalletClient, http, toBytes } from "viem";
+import { privateKeyToAccount } from "viem/accounts";
+import { mainnet } from "viem/chains";
+
+/*VIEM*/
+export interface UserReturnType {
+ key: string;
+ account: ReturnType;
+ wallet: ReturnType;
+}
+
+export function createSigner(user: UserReturnType) {
+ return {
+ getAddress: () => user.account.address,
+ signMessage: async (message: string) => {
+ const signature = await user.wallet.signMessage({
+ account: user.account,
+ message,
+ });
+ return toBytes(signature);
+ },
+ };
+}
+
+export function createUser(key: string): UserReturnType {
+ const account = privateKeyToAccount(key as `0x${string}`);
+ return {
+ key,
+ account,
+ wallet: createWalletClient({
+ account,
+ chain: mainnet,
+ transport: http(),
+ }),
+ };
+}
diff --git a/examples/gated-group/src/xmtp.ts b/examples/gated-group/src/xmtp.ts
new file mode 100644
index 0000000..89562d3
--- /dev/null
+++ b/examples/gated-group/src/xmtp.ts
@@ -0,0 +1,111 @@
+import * as fs from "node:fs";
+import {
+ Client,
+ type ClientOptions,
+ type Conversation,
+ type DecodedMessage,
+} from "@xmtp/node-sdk";
+import dotenv from "dotenv";
+import KeyManager from "./keys.js";
+import { createSigner, createUser } from "./viem.js";
+
+dotenv.config();
+
+export async function createClient({
+ suffix,
+ walletKey,
+ encryptionKey,
+ options,
+ streamMessageCallback,
+}: {
+ suffix?: string;
+ walletKey?: string;
+ encryptionKey?: string;
+ options?: ClientOptions;
+ streamMessageCallback?: (message: DecodedMessage) => Promise;
+}): Promise {
+ const keyManager = new KeyManager(suffix);
+
+ const {
+ walletKey: clientWalletKey,
+ encryptionKey: clientEncryptionKey,
+ encryptionKeyBytes: clientEncryptionKeyBytes,
+ } = keyManager.generateKeys(walletKey, encryptionKey);
+
+ const user = createUser(clientWalletKey);
+
+ const env = options?.env ?? "production";
+
+ const dbPath = options?.dbPath ?? ".data/xmtp";
+
+ //Creates a DB folder if it doesnt exist
+ if (!fs.existsSync(dbPath)) fs.mkdirSync(dbPath, { recursive: true });
+
+ const clientConfig = {
+ env,
+ dbPath: `${dbPath}/${user.account.address.toLowerCase()}-${env}`,
+ ...options,
+ };
+
+ const client = await Client.create(
+ createSigner(user),
+ clientEncryptionKeyBytes,
+ clientConfig,
+ );
+
+ if (streamMessageCallback) {
+ void streamMessages(streamMessageCallback, client);
+ }
+ keyManager.saveKeys(clientWalletKey, clientEncryptionKey);
+ return client;
+}
+
+async function streamMessages(
+ streamMessageCallback: (message: DecodedMessage) => Promise,
+ client: Client,
+) {
+ try {
+ await client.conversations.sync();
+ const stream = await client.conversations.streamAllMessages();
+ for await (const decodedMessage of stream) {
+ if (!decodedMessage) continue;
+ const conversation = client.conversations.getConversationById(
+ decodedMessage.conversationId,
+ );
+ if (!conversation) continue;
+ try {
+ if (
+ // Filter out membership_change messages and sent by one
+ decodedMessage.senderInboxId.toLowerCase() ===
+ client.inboxId.toLowerCase() &&
+ decodedMessage.kind !== "membership_change" //membership_change is not a message
+ ) {
+ continue;
+ } else if (decodedMessage.contentType?.typeId !== "text") {
+ continue;
+ }
+ await streamMessageCallback(decodedMessage);
+ } catch (e) {
+ console.log(`error`, e);
+ }
+ }
+ } catch (e) {
+ console.log(`error`, e);
+ }
+}
+
+export async function getAddressFromInboxId(
+ conversation: Conversation,
+ senderInboxId: string,
+): Promise {
+ await conversation.sync();
+ const members = await conversation.members();
+ const mainSenderAddress = members.find(
+ (member) => member.inboxId === senderInboxId,
+ )?.accountAddresses[0];
+
+ if (!mainSenderAddress) {
+ throw new Error("Invalid receiver address");
+ }
+ return mainSenderAddress;
+}
diff --git a/examples/gm-text/.env.example b/examples/gm-text/.env.example
deleted file mode 100644
index 9c45911..0000000
--- a/examples/gm-text/.env.example
+++ /dev/null
@@ -1,2 +0,0 @@
-WALLET_KEY= # the private key of the wallet
-ENCRYPTION_KEY= # a second random 32 bytes encryption key for local db encryption
\ No newline at end of file
diff --git a/examples/gm-text/.gitignore b/examples/gm-text/.gitignore
deleted file mode 100644
index 03c71e7..0000000
--- a/examples/gm-text/.gitignore
+++ /dev/null
@@ -1,22 +0,0 @@
-# Main
-.env
-node_modules/
-.data/
-dist/
-.DS_Store
-
-# Logs
-logs/
-*.log
-npm-debug.log*
-yarn-debug.log*
-yarn-error.log*
-
-# IDE files
-.vscode/
-.idea/
-
-# packages
-.yarn/
-.pnpm/
-.pnpm-workspace/
\ No newline at end of file
diff --git a/examples/gm-text/README.md b/examples/gm-text/README.md
deleted file mode 100644
index 2ec830b..0000000
--- a/examples/gm-text/README.md
+++ /dev/null
@@ -1,28 +0,0 @@
-## GM agent
-
-> Try XMTP using [xmtp.chat](https://xmtp.chat)
-
-This agent replies GM
-
-```tsx
-import { Message, xmtpClient } from "@xmtp/agent-starter";
-
-async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message?.content.text} by ${message.sender.address}`,
- );
- await client.send({
- message: "gm",
- originalMessage: message,
- });
- },
- });
-
- console.log("client is up and running...");
-}
-
-main().catch(console.error);
-```
diff --git a/examples/gm-text/package.json b/examples/gm-text/package.json
deleted file mode 100644
index b597f44..0000000
--- a/examples/gm-text/package.json
+++ /dev/null
@@ -1,23 +0,0 @@
-{
- "name": "@example/gm-text",
- "private": true,
- "type": "module",
- "scripts": {
- "build": "tsc",
- "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf dist",
- "dev": "tsc -w & sleep 1 && NODE_NO_WARNINGS=1 node --watch dist/index.js",
- "start": "node dist/index.js"
- },
- "dependencies": {
- "@xmtp/content-type-text": "^2.0.0",
- "@xmtp/node-sdk": "^0.0.40"
- },
- "devDependencies": {
- "@types/express": "^4.17.21",
- "@types/node": "^22.10.9",
- "typescript": "^5.7.3"
- },
- "engines": {
- "node": ">=22"
- }
-}
diff --git a/examples/gm-text/src/index.ts b/examples/gm-text/src/index.ts
deleted file mode 100644
index 2654883..0000000
--- a/examples/gm-text/src/index.ts
+++ /dev/null
@@ -1,22 +0,0 @@
-import { xmtpClient, type Message } from "./lib/helper.js";
-
-async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} by ${message.sender.address}`,
- );
- await client.send({
- message: "gm",
- originalMessage: message,
- });
- },
- });
-
- console.log(
- `XMTP agent initialized on ${client.address}\nSend a message on https://converse.xyz/dm/${client.address}`,
- );
-}
-
-main().catch(console.error);
diff --git a/examples/gm-text/src/lib/helper.ts b/examples/gm-text/src/lib/helper.ts
deleted file mode 100644
index 653d071..0000000
--- a/examples/gm-text/src/lib/helper.ts
+++ /dev/null
@@ -1,337 +0,0 @@
-import { getRandomValues } from "node:crypto";
-import * as fs from "node:fs";
-import path from "node:path";
-import { ContentTypeText, TextCodec } from "@xmtp/content-type-text";
-import {
- Client,
- type ClientOptions,
- type Conversation,
- type DecodedMessage,
-} from "@xmtp/node-sdk";
-import dotenv from "dotenv";
-import { createWalletClient, http, isAddress, toBytes, toHex } from "viem";
-import { privateKeyToAccount } from "viem/accounts";
-import { mainnet } from "viem/chains";
-
-dotenv.config();
-
-export type clientMessage = {
- message: string;
- originalMessage?: Message;
- receivers?: string[];
- typeId?:
- | "text"
- | "image"
- | "reaction"
- | "reply"
- | "attachment"
- | "read_receipt"
- | "agent_message";
-};
-
-export interface UserReturnType {
- key: string;
- account: ReturnType;
- wallet: ReturnType;
-}
-
-export type xmtpClientType = {
- name?: string;
- walletKey?: string;
- encryptionKey?: string;
- onMessage?: (message: Message) => Promise;
- config?: ClientOptions;
-};
-
-export type Message = {
- id: string; // Unique identifier for the message
- sent: Date; // Date when the message was sent
- content: {
- text?: string | undefined; // Text content of the message
- reply?: string | undefined; // Reply content if the message is a reply
- previousMsg?: string | undefined; // Reference to the previous message
- attachment?: string | undefined; // Attachment content if the message is an attachment
- reference?: string | undefined; // Reference ID for the message
- };
- group?: {
- id: string;
- createdAt: Date;
- topic?: string;
- members?: {
- address: string;
- inboxId: string;
- installationIds: string[];
- accountAddresses: string[];
- username?: string;
- ensDomain?: string;
- }[];
- admins?: string[];
- name?: string;
- superAdmins?: string[];
- };
- sender: {
- address: string;
- inboxId: string;
- installationIds: string[];
- accountAddresses: string[];
- username?: string;
- ensDomain?: string;
- }; // Sender of the message
- typeId: string; // Type identifier for the message
- client: {
- address: string;
- inboxId: string;
- };
-};
-
-export async function xmtpClient(agent?: xmtpClientType): Promise {
- let xmtp: XMTP | null = null; // Ensure a single instance
- xmtp = new XMTP(agent);
- await xmtp.init();
- return xmtp;
-}
-
-export class XMTP {
- client: Client | undefined;
- address: string | undefined;
- inboxId: string | undefined;
- onMessage: (message: Message) => Promise;
- agent?: xmtpClientType;
-
- constructor(agent?: xmtpClientType) {
- this.onMessage = agent?.onMessage ?? (() => Promise.resolve());
- this.agent = agent;
- }
-
- async init(): Promise {
- const suffix = this.agent?.name ? "_" + this.agent.name : "";
- let encryptionKey =
- this.agent?.encryptionKey ??
- process.env["ENCRYPTION_KEY" + suffix] ??
- toHex(getRandomValues(new Uint8Array(32)));
-
- if (!encryptionKey.startsWith("0x")) {
- encryptionKey = "0x" + encryptionKey;
- }
- let walletKey =
- this.agent?.walletKey ??
- process.env["WALLET_KEY" + suffix] ??
- toHex(getRandomValues(new Uint8Array(32)));
-
- if (!walletKey.startsWith("0x")) {
- walletKey = "0x" + walletKey;
- }
-
- const user = createUser(walletKey);
-
- let env = this.agent?.config?.env;
- if (!env) env = "production";
-
- const dbPath =
- process.env.RAILWAY_VOLUME_MOUNT_PATH ??
- this.agent?.config?.dbPath ??
- ".data/xmtp";
-
- if (!fs.existsSync(dbPath)) {
- fs.mkdirSync(dbPath, { recursive: true });
- }
-
- const defaultConfig: ClientOptions = {
- env: env,
- dbPath: `${dbPath}/${user.account.address.toLowerCase()}-${env}`,
- codecs: [new TextCodec()],
- };
-
- // Merge the default configuration with the provided config. Repeated fields in clientConfig will override the default values
- const finalConfig = { ...defaultConfig, ...this.agent?.config };
-
- const client = await Client.create(
- createSigner(user),
- new Uint8Array(toBytes(encryptionKey as `0x${string}`)),
- finalConfig,
- );
-
- this.client = client;
- this.inboxId = client.inboxId;
- this.address = client.accountAddress;
- void streamMessages(this.onMessage, client, this);
- this.saveKeys(suffix, walletKey, encryptionKey);
- return this;
- }
- saveKeys(suffix: string, walletKey: string, encryptionKey: string) {
- const envFilePath = path.resolve(process.cwd(), ".env");
- const envContent = `\nENCRYPTION_KEY${suffix}=${encryptionKey}\nWALLET_KEY${suffix}=${walletKey}`;
-
- // Read the existing .env file content
- let existingEnvContent = "";
- if (fs.existsSync(envFilePath)) {
- existingEnvContent = fs.readFileSync(envFilePath, "utf8");
- }
-
- // Check if the keys already exist
- if (
- !existingEnvContent.includes(`ENCRYPTION_KEY${suffix}=`) &&
- !existingEnvContent.includes(`WALLET_KEY${suffix}=`)
- ) {
- fs.appendFileSync(envFilePath, envContent);
- }
- }
-
- async send(clientMessage: clientMessage) {
- const contentType = ContentTypeText;
-
- const message = clientMessage.message;
-
- if (!clientMessage.receivers || clientMessage.receivers.length == 0) {
- clientMessage.receivers = [
- clientMessage.originalMessage?.sender.inboxId as string,
- ];
- }
-
- for (const receiverAddress of clientMessage.receivers) {
- const inboxId = !isAddress(receiverAddress)
- ? receiverAddress
- : await this.client?.getInboxIdByAddress(receiverAddress);
-
- if (!inboxId) {
- throw new Error("Invalid receiver address");
- }
-
- let conversation = this.client?.conversations.getDmByInboxId(inboxId);
- if (!conversation) {
- conversation = await this.client?.conversations.newDm(receiverAddress);
- }
- return conversation?.send(message, contentType);
- }
- }
-
- getConversationFromMessage(message: DecodedMessage | null | undefined) {
- return this.client?.conversations.getConversationById(
- (message as DecodedMessage).conversationId,
- );
- }
-
- async canMessage(address: string): Promise {
- const isOnXMTP = await this.client?.canMessage([address]);
- return isOnXMTP ? true : false;
- }
-}
-
-async function streamMessages(
- onMessage: (message: Message) => Promise,
- client: Client | undefined,
- xmtp: XMTP,
-) {
- try {
- await client?.conversations.sync();
- const stream = await client?.conversations.streamAllMessages();
- if (stream) {
- for await (const message of stream) {
- const conversation = xmtp.getConversationFromMessage(message);
- if (message && conversation) {
- try {
- const { senderInboxId, kind } = message;
-
- if (
- // Filter out membership_change messages and sent by one
- senderInboxId.toLowerCase() === client?.inboxId.toLowerCase() &&
- kind !== "membership_change" //membership_change is not a message
- ) {
- continue;
- } else if (message.contentType?.typeId !== "text") {
- continue;
- }
- const parsedMessage = await parseMessage(
- message,
- conversation,
- client as Client,
- );
- await onMessage(parsedMessage as Message);
- } catch (e) {
- console.log(`error`, e);
- }
- }
- }
- }
- } catch (err) {
- console.error(`Stream encountered an error:`, err);
- }
-}
-
-function createSigner(user: UserReturnType) {
- return {
- getAddress: () => user.account.address,
- signMessage: async (message: string) => {
- const signature = await user.wallet.signMessage({
- account: user.account,
- message,
- });
- return toBytes(signature);
- },
- };
-}
-
-export function createUser(key: string): UserReturnType {
- const account = privateKeyToAccount(key as `0x${string}`);
- return {
- key,
- account,
- wallet: createWalletClient({
- account,
- chain: mainnet,
- transport: http(),
- }),
- };
-}
-
-export async function parseMessage(
- message: DecodedMessage,
- conversation: Conversation | undefined,
- client: Client,
-): Promise {
- const content = {
- text: message.content as string,
- };
-
- let sender:
- | {
- inboxId: string;
- address: string;
- accountAddresses: string[];
- installationIds: string[];
- }
- | undefined = undefined;
-
- await conversation?.sync();
- const members = await conversation?.members();
- const membersArray = members?.map((member) => ({
- inboxId: member.inboxId,
- address: member.accountAddresses[0],
- accountAddresses: member.accountAddresses,
- installationIds: member.installationIds,
- }));
-
- sender = membersArray?.find(
- (member) => member.inboxId === message.senderInboxId,
- );
-
- return {
- id: message.id,
- sender,
- group: {
- id: conversation?.id,
- createdAt: conversation?.createdAt,
- name: conversation?.name,
- members: membersArray,
- admins: conversation?.admins,
- superAdmins: conversation?.superAdmins,
- },
- sent: message.sentAt,
- content,
- typeId: "text",
- client: {
- address: client.accountAddress,
- inboxId: client.inboxId,
- },
- } as Message;
-}
diff --git a/examples/gm-text/tsconfig.json b/examples/gm-text/tsconfig.json
deleted file mode 100644
index 5e0d946..0000000
--- a/examples/gm-text/tsconfig.json
+++ /dev/null
@@ -1,19 +0,0 @@
-{
- "include": ["src/**/*"],
- "compilerOptions": {
- "outDir": "./dist",
- "esModuleInterop": true,
- "declaration": true,
- "declarationMap": true,
- "forceConsistentCasingInFileNames": true,
- "isolatedModules": true,
- "lib": ["ESNext"],
- "module": "ESNext",
- "moduleResolution": "node",
- "resolveJsonModule": true,
- "skipLibCheck": true,
- "sourceMap": true,
- "strict": true,
- "target": "ESNext"
- }
-}
diff --git a/examples/gm/README.md b/examples/gm/README.md
index 2ec830b..a35416c 100644
--- a/examples/gm/README.md
+++ b/examples/gm/README.md
@@ -5,23 +5,33 @@
This agent replies GM
```tsx
-import { Message, xmtpClient } from "@xmtp/agent-starter";
+import type { DecodedMessage } from "@xmtp/node-sdk";
+import { createClient, getAddressFromInboxId } from "./xmtp.js";
async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message?.content.text} by ${message.sender.address}`,
+ const client = await createClient({
+ streamMessageCallback: async (message: DecodedMessage) => {
+ const conversation = client.conversations.getConversationById(
+ message.conversationId,
);
- await client.send({
- message: "gm",
- originalMessage: message,
- });
+ if (!conversation) {
+ console.error("Conversation not found");
+ return;
+ }
+
+ const senderAddress = await getAddressFromInboxId(
+ conversation,
+ message.senderInboxId,
+ );
+ console.log(`Decoded message: ${message.content} from ${senderAddress}`);
+
+ await conversation.send("gm");
},
});
- console.log("client is up and running...");
+ console.log(
+ `XMTP agent initialized on ${client.accountAddress}\nSend a message on https://xmtp.chat/dm/${client.accountAddress}`,
+ );
}
main().catch(console.error);
diff --git a/examples/gm/package.json b/examples/gm/package.json
index afd9455..d6e4a76 100644
--- a/examples/gm/package.json
+++ b/examples/gm/package.json
@@ -9,11 +9,15 @@
"start": "node dist/index.js"
},
"dependencies": {
- "@xmtp/agent-starter": "workspace:*"
+ "@xmtp/content-type-primitives": "^2.0.0",
+ "@xmtp/content-type-text": "^2.0.0",
+ "@xmtp/node-sdk": "^0.0.40",
+ "viem": "^2.22.12"
},
"devDependencies": {
"@types/express": "^4.17.21",
"@types/node": "^22.10.9",
+ "dotenv": "latest",
"typescript": "^5.7.3"
},
"engines": {
diff --git a/examples/gm/src/index.ts b/examples/gm/src/index.ts
index d683248..a95d727 100644
--- a/examples/gm/src/index.ts
+++ b/examples/gm/src/index.ts
@@ -1,22 +1,28 @@
-import { xmtpClient, type Message } from "@xmtp/agent-starter";
+import type { DecodedMessage } from "@xmtp/node-sdk";
+import { createClient, getAddressFromInboxId } from "./xmtp.js";
async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} by ${message.sender.address}`,
+ const client = await createClient({
+ streamMessageCallback: async (message: DecodedMessage) => {
+ const conversation = client.conversations.getConversationById(
+ message.conversationId,
);
- await client.send({
- message: "gm",
- originalMessage: message,
- metadata: {},
- });
+ if (!conversation) {
+ console.error("Conversation not found");
+ return;
+ }
+ const senderAddress = await getAddressFromInboxId(
+ conversation,
+ message.senderInboxId,
+ );
+ console.log(`Decoded message: ${message.content} from ${senderAddress}`);
+
+ await conversation.send("gm");
},
});
console.log(
- `XMTP agent initialized on ${client.address}\nSend a message on http://xmtp.chat/dm/${client.address}`,
+ `XMTP agent initialized on ${client.accountAddress}\nSend a message on https://xmtp.chat/dm/${client.accountAddress}`,
);
}
diff --git a/examples/gm/src/keys.ts b/examples/gm/src/keys.ts
new file mode 100644
index 0000000..9b30222
--- /dev/null
+++ b/examples/gm/src/keys.ts
@@ -0,0 +1,64 @@
+import { getRandomValues } from "node:crypto";
+import * as fs from "node:fs";
+import path from "path";
+import { toBytes, toHex } from "viem";
+
+class KeyManager {
+ private suffix: string;
+
+ constructor(suffix: string = "") {
+ this.suffix = suffix;
+ }
+
+ generateKeys(
+ walletKey?: string,
+ encryptionKey?: string,
+ ): {
+ walletKey: string;
+ encryptionKey: string;
+ encryptionKeyBytes: Uint8Array;
+ } {
+ encryptionKey =
+ encryptionKey ??
+ process.env["ENCRYPTION_KEY" + this.suffix] ??
+ toHex(getRandomValues(new Uint8Array(32)));
+
+ if (!encryptionKey.startsWith("0x")) {
+ encryptionKey = "0x" + encryptionKey;
+ }
+ const encryptionKeyBytes = new Uint8Array(
+ toBytes(encryptionKey as `0x${string}`),
+ );
+
+ walletKey =
+ walletKey ??
+ process.env["WALLET_KEY" + this.suffix] ??
+ toHex(getRandomValues(new Uint8Array(32)));
+
+ if (!walletKey.startsWith("0x")) {
+ walletKey = "0x" + walletKey;
+ }
+ return { walletKey, encryptionKey, encryptionKeyBytes };
+ }
+
+ saveKeys(walletKey: string, encryptionKey: string) {
+ const envFilePath = path.resolve(process.cwd(), ".env");
+ const envContent = `\nENCRYPTION_KEY${this.suffix}=${encryptionKey}\nWALLET_KEY${this.suffix}=${walletKey}`;
+
+ // Read the existing .env file content
+ let existingEnvContent = "";
+ if (fs.existsSync(envFilePath)) {
+ existingEnvContent = fs.readFileSync(envFilePath, "utf8");
+ }
+
+ // Check if the keys already exist
+ if (
+ !existingEnvContent.includes(`ENCRYPTION_KEY${this.suffix}=`) &&
+ !existingEnvContent.includes(`WALLET_KEY${this.suffix}=`)
+ ) {
+ fs.appendFileSync(envFilePath, envContent);
+ }
+ }
+}
+
+export default KeyManager;
diff --git a/examples/gm/src/viem.ts b/examples/gm/src/viem.ts
new file mode 100644
index 0000000..5a2202c
--- /dev/null
+++ b/examples/gm/src/viem.ts
@@ -0,0 +1,36 @@
+import { createWalletClient, http, toBytes } from "viem";
+import { privateKeyToAccount } from "viem/accounts";
+import { mainnet } from "viem/chains";
+
+/*VIEM*/
+export interface UserReturnType {
+ key: string;
+ account: ReturnType;
+ wallet: ReturnType;
+}
+
+export function createSigner(user: UserReturnType) {
+ return {
+ getAddress: () => user.account.address,
+ signMessage: async (message: string) => {
+ const signature = await user.wallet.signMessage({
+ account: user.account,
+ message,
+ });
+ return toBytes(signature);
+ },
+ };
+}
+
+export function createUser(key: string): UserReturnType {
+ const account = privateKeyToAccount(key as `0x${string}`);
+ return {
+ key,
+ account,
+ wallet: createWalletClient({
+ account,
+ chain: mainnet,
+ transport: http(),
+ }),
+ };
+}
diff --git a/examples/gm/src/xmtp.ts b/examples/gm/src/xmtp.ts
new file mode 100644
index 0000000..89562d3
--- /dev/null
+++ b/examples/gm/src/xmtp.ts
@@ -0,0 +1,111 @@
+import * as fs from "node:fs";
+import {
+ Client,
+ type ClientOptions,
+ type Conversation,
+ type DecodedMessage,
+} from "@xmtp/node-sdk";
+import dotenv from "dotenv";
+import KeyManager from "./keys.js";
+import { createSigner, createUser } from "./viem.js";
+
+dotenv.config();
+
+export async function createClient({
+ suffix,
+ walletKey,
+ encryptionKey,
+ options,
+ streamMessageCallback,
+}: {
+ suffix?: string;
+ walletKey?: string;
+ encryptionKey?: string;
+ options?: ClientOptions;
+ streamMessageCallback?: (message: DecodedMessage) => Promise;
+}): Promise {
+ const keyManager = new KeyManager(suffix);
+
+ const {
+ walletKey: clientWalletKey,
+ encryptionKey: clientEncryptionKey,
+ encryptionKeyBytes: clientEncryptionKeyBytes,
+ } = keyManager.generateKeys(walletKey, encryptionKey);
+
+ const user = createUser(clientWalletKey);
+
+ const env = options?.env ?? "production";
+
+ const dbPath = options?.dbPath ?? ".data/xmtp";
+
+ //Creates a DB folder if it doesnt exist
+ if (!fs.existsSync(dbPath)) fs.mkdirSync(dbPath, { recursive: true });
+
+ const clientConfig = {
+ env,
+ dbPath: `${dbPath}/${user.account.address.toLowerCase()}-${env}`,
+ ...options,
+ };
+
+ const client = await Client.create(
+ createSigner(user),
+ clientEncryptionKeyBytes,
+ clientConfig,
+ );
+
+ if (streamMessageCallback) {
+ void streamMessages(streamMessageCallback, client);
+ }
+ keyManager.saveKeys(clientWalletKey, clientEncryptionKey);
+ return client;
+}
+
+async function streamMessages(
+ streamMessageCallback: (message: DecodedMessage) => Promise,
+ client: Client,
+) {
+ try {
+ await client.conversations.sync();
+ const stream = await client.conversations.streamAllMessages();
+ for await (const decodedMessage of stream) {
+ if (!decodedMessage) continue;
+ const conversation = client.conversations.getConversationById(
+ decodedMessage.conversationId,
+ );
+ if (!conversation) continue;
+ try {
+ if (
+ // Filter out membership_change messages and sent by one
+ decodedMessage.senderInboxId.toLowerCase() ===
+ client.inboxId.toLowerCase() &&
+ decodedMessage.kind !== "membership_change" //membership_change is not a message
+ ) {
+ continue;
+ } else if (decodedMessage.contentType?.typeId !== "text") {
+ continue;
+ }
+ await streamMessageCallback(decodedMessage);
+ } catch (e) {
+ console.log(`error`, e);
+ }
+ }
+ } catch (e) {
+ console.log(`error`, e);
+ }
+}
+
+export async function getAddressFromInboxId(
+ conversation: Conversation,
+ senderInboxId: string,
+): Promise {
+ await conversation.sync();
+ const members = await conversation.members();
+ const mainSenderAddress = members.find(
+ (member) => member.inboxId === senderInboxId,
+ )?.accountAddresses[0];
+
+ if (!mainSenderAddress) {
+ throw new Error("Invalid receiver address");
+ }
+ return mainSenderAddress;
+}
diff --git a/examples/gpt/.env.example b/examples/gpt/.env.example
deleted file mode 100644
index 8f4b6c3..0000000
--- a/examples/gpt/.env.example
+++ /dev/null
@@ -1,3 +0,0 @@
-WALLET_KEY= # the private key of the wallet
-ENCRYPTION_KEY= # a second fixed or random 32 bytes encryption key for the local db
-OPENAI_API_KEY= # sk-proj-...
diff --git a/examples/gpt/.gitignore b/examples/gpt/.gitignore
deleted file mode 100644
index 03c71e7..0000000
--- a/examples/gpt/.gitignore
+++ /dev/null
@@ -1,22 +0,0 @@
-# Main
-.env
-node_modules/
-.data/
-dist/
-.DS_Store
-
-# Logs
-logs/
-*.log
-npm-debug.log*
-yarn-debug.log*
-yarn-error.log*
-
-# IDE files
-.vscode/
-.idea/
-
-# packages
-.yarn/
-.pnpm/
-.pnpm-workspace/
\ No newline at end of file
diff --git a/examples/gpt/README.md b/examples/gpt/README.md
deleted file mode 100644
index 77b9974..0000000
--- a/examples/gpt/README.md
+++ /dev/null
@@ -1,62 +0,0 @@
-# GPT Agent
-
-This example uses the [OpenAI](https://openai.com) API for GPT-based responses and the [XMTP](https://xmtp.org) protocol for secure messaging. You can test your agent on [xmtp.chat](https://xmtp.chat) or any other XMTP-compatible client.
-
-## Environment variables
-
-Add the following keys to a `.env` file:
-
-```bash
-WALLET_KEY= # Private key for XMTP
-ENCRYPTION_KEY= # Secondary key for local encryption
-OPENAI_API_KEY= # e.g., sk-xxx...
-```
-
-## Usage
-
-```tsx
-import { Message, xmtpClient } from "@xmtp/agent-starter";
-import OpenAI from "openai";
-
-// Initialize OpenAI
-const openai = new OpenAI();
-
-async function main() {
- const agent = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message?.content.text} from ${message.sender.address}`,
- );
-
- // Send user text to OpenAI
- const completion = await openai.chat.completions.create({
- model: "gpt-4",
- messages: [
- { role: "system", content: "You are a helpful assistant." },
- { role: "user", content: message?.content.text ?? "" },
- ],
- });
-
- // Extract GPT response
- const gptMessage = completion.choices[0]?.message?.content?.trim();
-
- // Send GPT response back via XMTP
- await client.send({
- message: gptMessage ?? "",
- originalMessage: message,
- });
- },
- });
-
- console.log(
- `XMTP client initialized on ${client.address}\n` +
- `Try sending a message at https://xmtp.chat/dm/${client.address}`,
- );
-}
-
-main().catch(console.error);
-```
-
-Run the agent and send a test message from [xmtp.chat](https://xmtp.chat).
-Enjoy your GPT-powered XMTP agent!
diff --git a/examples/gpt/package.json b/examples/gpt/package.json
deleted file mode 100644
index 9850879..0000000
--- a/examples/gpt/package.json
+++ /dev/null
@@ -1,22 +0,0 @@
-{
- "name": "@example/gpt",
- "private": true,
- "type": "module",
- "scripts": {
- "build": "tsc",
- "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf dist",
- "dev": "tsc -w & sleep 1 && NODE_NO_WARNINGS=1 node --watch dist/index.js",
- "start": "node dist/index.js"
- },
- "dependencies": {
- "@xmtp/agent-starter": "workspace:*",
- "openai": "latest"
- },
- "devDependencies": {
- "@types/node": "^22.10.9",
- "typescript": "^5.7.3"
- },
- "engines": {
- "node": ">=22"
- }
-}
diff --git a/examples/gpt/src/index.ts b/examples/gpt/src/index.ts
deleted file mode 100644
index dc54c0f..0000000
--- a/examples/gpt/src/index.ts
+++ /dev/null
@@ -1,43 +0,0 @@
-import { xmtpClient, type Message } from "@xmtp/agent-starter";
-import OpenAI from "openai";
-
-// Initialize OpenAI API
-const openai = new OpenAI();
-
-async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} by ${message.sender.address}`,
- );
-
- // Send message content to GPT API
- const completion = await openai.chat.completions.create({
- model: "gpt-4o",
- messages: [
- { role: "developer", content: "You are a helpful assistant." },
- {
- role: "user",
- content: message.content.text ?? "",
- },
- ],
- });
-
- const gptMessage = completion.choices[0]?.message?.content?.trim();
-
- // Use GPT response in your application
- await client.send({
- message: gptMessage ?? "",
- originalMessage: message,
- metadata: {},
- });
- },
- });
-
- console.log(
- `XMTP agent initialized on ${client.address}\nSend a message on http://xmtp.chat/dm/${client.address}`,
- );
-}
-
-main().catch(console.error);
diff --git a/examples/gpt/tsconfig.json b/examples/gpt/tsconfig.json
deleted file mode 100644
index 5e0d946..0000000
--- a/examples/gpt/tsconfig.json
+++ /dev/null
@@ -1,19 +0,0 @@
-{
- "include": ["src/**/*"],
- "compilerOptions": {
- "outDir": "./dist",
- "esModuleInterop": true,
- "declaration": true,
- "declarationMap": true,
- "forceConsistentCasingInFileNames": true,
- "isolatedModules": true,
- "lib": ["ESNext"],
- "module": "ESNext",
- "moduleResolution": "node",
- "resolveJsonModule": true,
- "skipLibCheck": true,
- "sourceMap": true,
- "strict": true,
- "target": "ESNext"
- }
-}
diff --git a/examples/railway/README.md b/examples/railway/README.md
deleted file mode 100644
index edc43bc..0000000
--- a/examples/railway/README.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# Railway
-
-## Introduction
-
-Here's how to easily deploy this app:
-
-- Sign up at [Railway](https://railway.app/).
-- Click 'New Project' and select 'Node.js'.
-- Create a Redis DB or other (Optional)
-- Connect your GitHub repository
-- Set your environment variables
-- Add a volume to your container
-- Deploy your application.
-- Register an [ENS domain](https://ens.domains/) and share your app!
-
-## Deployment
-
-1. **Sign Up and Setup**: Create an account at [Railway](https://railway.app/) and start a new empty project.
-
-
-
-2. **Import GitHub Repository**: Click on 'Import GitHub Repository' and select the repository you want to deploy.
-
-
-
-3. **Volume**: Add a volume to your container.
-
-
-
-4. **Database (Optional)**: Optionally, right click to add db like Redis to your project.
-
-
-
-5. **Get the redis connection string**
-
-
-
-6. **Add the variable to the env editor in Railway.**
-
-
diff --git a/examples/railway/create.png b/examples/railway/create.png
deleted file mode 100644
index 519f93f..0000000
Binary files a/examples/railway/create.png and /dev/null differ
diff --git a/examples/railway/db.png b/examples/railway/db.png
deleted file mode 100644
index 1f252d1..0000000
Binary files a/examples/railway/db.png and /dev/null differ
diff --git a/examples/railway/github.png b/examples/railway/github.png
deleted file mode 100644
index 7f7a905..0000000
Binary files a/examples/railway/github.png and /dev/null differ
diff --git a/examples/railway/string.gif b/examples/railway/string.gif
deleted file mode 100644
index 2001dab..0000000
Binary files a/examples/railway/string.gif and /dev/null differ
diff --git a/examples/railway/variables.png b/examples/railway/variables.png
deleted file mode 100644
index ff7f423..0000000
Binary files a/examples/railway/variables.png and /dev/null differ
diff --git a/examples/railway/volume.png b/examples/railway/volume.png
deleted file mode 100644
index e089efd..0000000
Binary files a/examples/railway/volume.png and /dev/null differ
diff --git a/examples/replit/1.png b/examples/replit/1.png
deleted file mode 100644
index e07e1f9..0000000
Binary files a/examples/replit/1.png and /dev/null differ
diff --git a/examples/replit/2.png b/examples/replit/2.png
deleted file mode 100644
index 1e23056..0000000
Binary files a/examples/replit/2.png and /dev/null differ
diff --git a/examples/replit/3.png b/examples/replit/3.png
deleted file mode 100644
index c5fd7ec..0000000
Binary files a/examples/replit/3.png and /dev/null differ
diff --git a/examples/replit/README.md b/examples/replit/README.md
deleted file mode 100644
index 88441bc..0000000
--- a/examples/replit/README.md
+++ /dev/null
@@ -1,27 +0,0 @@
-# Replit
-
-> [!NOTE]
-> You need to **add the agent to the group as a member**.
-
-## Introduction
-
-Here's how to deploy your MessageKit agent on Replit using our GitHub repository:
-
-- Sign up at [Replit](https://replit.com/)
-- Create a new Repl by importing from GitHub
-- Configure your environment variables in Replit Secrets
-- Run the project to start your agent
-
-## Deployment
-
-1. **Import from GitHub**: After signing up on [Replit](https://replit.com/), create a new Repl and select "Import from GitHub"
-
-
-
-2. **Environment Setup**: Configure your environment variables in the Replit Secrets tab
-
-
-
-3. **Run the Project**: Click the "Run" button to start your agent
-
-
diff --git a/media/1.webp b/media/1.webp
deleted file mode 100644
index c2264ee..0000000
Binary files a/media/1.webp and /dev/null differ
diff --git a/media/2.webp b/media/2.webp
deleted file mode 100644
index d276337..0000000
Binary files a/media/2.webp and /dev/null differ
diff --git a/media/3.webp b/media/3.webp
deleted file mode 100644
index 9e6b9d2..0000000
Binary files a/media/3.webp and /dev/null differ
diff --git a/media/4.webp b/media/4.webp
deleted file mode 100644
index 1f01c59..0000000
Binary files a/media/4.webp and /dev/null differ
diff --git a/media/logo.png b/media/logo.png
deleted file mode 100644
index 2cb1600..0000000
Binary files a/media/logo.png and /dev/null differ
diff --git a/media/screen.png b/media/screen.png
deleted file mode 100644
index 3fca238..0000000
Binary files a/media/screen.png and /dev/null differ
diff --git a/package.json b/package.json
index 0241630..fc7aa7c 100644
--- a/package.json
+++ b/package.json
@@ -4,9 +4,7 @@
"private": true,
"type": "module",
"workspaces": [
- "packages/*",
- "examples/*",
- "shared/*"
+ "examples/*"
],
"scripts": {
"build": "turbo run build",
@@ -16,6 +14,8 @@
"examples": "node scripts/examples.js",
"format": "prettier -w .",
"format:check": "prettier -c .",
+ "gated": "cd examples/gated-group && yarn dev",
+ "gm": "cd examples/gm && yarn dev",
"lint": "yarn build && eslint .",
"publish": "yarn build && changeset publish",
"test": "FORCE_COLOR=1 turbo run test",
diff --git a/packages/agent-starter/CHANGELOG.md b/packages/agent-starter/CHANGELOG.md
deleted file mode 100644
index f4e3341..0000000
--- a/packages/agent-starter/CHANGELOG.md
+++ /dev/null
@@ -1,13 +0,0 @@
-# @xmtp/agent-starter
-
-## 0.0.6
-
-### Patch Changes
-
-- f72f58d: New tests. Cleaner types.
-
-## 0.0.5
-
-### Patch Changes
-
-- d8fd67f: Fixed various type and code issues
diff --git a/packages/agent-starter/README.md b/packages/agent-starter/README.md
deleted file mode 100644
index 2a792e8..0000000
--- a/packages/agent-starter/README.md
+++ /dev/null
@@ -1,237 +0,0 @@
-# @xmtp/agent-starter
-
-A convenient TypeScript wrapper around [@xmtp/node-sdk](https://github.com/xmtp/xmtp-js/tree/main/sdks/node-sdk) simplifying agent delopment.
-
-## Install
-
-```bash [yarn]
-yarn add @xmtp/agent-starter
-```
-
-> See the available TypeScript [Types](https://github.com/ephemeraHQ/xmtp-agents/blob/main/packages/agent-starter/src/lib/types.ts)
-
-## Overview
-
-These are the steps to initialize an agent that listens and sends messages over the XMTP network.
-
-```tsx
-async function main() {
- const client = await xmtpClient({
- walletKey: process.env.WALLET_KEY as string,
- encryptionKey: // optional
- onMessage: async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} by ${message.sender.address}`,
- );
-
- // Your AI model response
- const response = await api("Hi, how are you?");
-
- //Send text message
- await client.send({
- message: response,
- originalMessage: message,
- });
- },
- });
-
- console.log("Agent is up and running...");
-}
-
-main().catch(console.error);
-```
-
-#### Address availability
-
-Returns `true` if an address is reachable on the xmtp network
-
-```typescript
-const isOnXMTP = await client.canMessage(address);
-```
-
-## Groups
-
-Any client may be part or create a new group and can control the initial permission policies applied to that group.
-
-> [!NOTE]
-> You need to **add the agent to the group as a member**.
-
-To create a group from your agent, you can use the following code:
-
-```tsx
-const group = await agent?.conversations.newGroup([address1, address2]);
-```
-
-As an admin you can add members to the group.
-
-```tsx
-// sync group first
-await group.sync();
-
-// get group members
-const members = await group.members();
-
-// add members to the group
-await group.addMembers([walletAddress]);
-```
-
-> To learn more about groups, read the [XMTP groups](https://docs.xmtp.org/inboxes/group-permissions) documentation.
-
-## Encryption keys
-
-- `WALLET_KEY`: XMTP encryption keys can be managed in several ways. Here are the most common methods:
-
- 1. Use an environment variable to provide the private key:
-
- - Store your private key in a `.env` file:
- `WALLET_KEY=0xYOUR_PRIVATE_KEY`
-
- ```tsx
- const agent = await xmtpClient({
- walletKey: process.env.WALLET_KEY,
- });
- ```
-
-2. Generate the private key at runtime:
-
- - If no private key is provided, the agent can automatically generate a new one upon startup:
- `WALLET_KEY=random_key`
- - If exists in the .env file it will **not** generated a new key.
- - This method will save the key in the `.env` file for future use.
-
- ```tsx
- const agent = await xmtpClient();
- ```
-
-3. Assign a name (alias) to the randomly generated key:
-
- - Providing a "name" gives your key a meaningful identifier, aiding in organization and persistence.
- `WALLET_KEY_agentA=0xYOUR_PRIVATE_KEY`
- - This method will also save the key in the `.env` file for future use.
-
- ```tsx
- const agent = await xmtpClient({
- name: "agentA", // Optional suffix for this agent's key
- });
- ```
-
-- `ENCRYPTION_KEY`: The fixed key is an additional security measure. It is not linked to the public address and can be randomly generated or shared across different agents. It will also be generated and saved in the `.env` file using the methods described above.
-
-## Receive messages
-
-After passing the onMessage handler to your agent, the agent will start listening to incoming messages sent via the XMTP network. These messages can be of various different types explained below.
-
-```tsx
-const onMessage = async (message: Message) => {
- console.log(
- `Decoded message: ${message.content.text} by ${message.sender.address}`,
- );
- let typeId = message.typeId;
-
- if (typeId === "text") {
- // Do something with the text
- } else if (typeId === "reaction") {
- // Do something with the reaction
- } else if (typeId === "reply") {
- // Do something with the `reply`
- } else if (typeId === "attachment") {
- // Do something with the attachment data url
- } else if (typeId === "agent_message") {
- // Do something with the agent message
- } else if (typeId === "group_updated") {
- // Do something with the group updated metadata
- }
-};
-```
-
-## Content types
-
-When you build an app with XMTP, all messages are encoded with a content type to ensure that an XMTP client knows how to encode and decode messages, ensuring interoperability and consistent display of messages across apps.
-
-`agent-starter` provides an abstraction to XMTP [content types](https://github.com/xmtp/xmtp-js/tree/main/content-types) to make it easier for devs to integrate different types of messages.
-
-### Text
-
-Sends a text message.
-
-```tsx
-let textMessage: clientMessage = {
- message: "Your message.",
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
-};
-await client.send(textMessage);
-```
-
-> See [reaction content type](https://github.com/xmtp/xmtp-js/tree/main/content-types/content-type-text) for reference
-
-### Reaction
-
-Sends an emoji reaction.
-
-```tsx
-let reaction: clientMessage = {
- message: "😅",
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
- typeId: "reaction",
-};
-await client.send(reaction);
-```
-
-> See [text content type](https://github.com/xmtp/xmtp-js/tree/main/content-types/content-type-reaction) for reference
-
-### Reply
-
-Replies to a specific message.
-
-```tsx
-let reply: clientMessage = {
- message: "Your message.",
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
- typeId: "reply",
-};
-await client.send(reply);
-```
-
-> See [reply content type](https://github.com/xmtp/xmtp-js/tree/main/content-types/content-type-reply) for reference
-
-### Attachment
-
-Sends any media file or attachment lower to 1MB over the network.
-
-```tsx
-let attachment: clientMessage = {
- message: "https://picsum.photos/200/300",
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
- typeId: "attachment",
-};
-await client.send(attachment);
-```
-
-> See [reaction content type](https://github.com/xmtp/xmtp-js/tree/main/content-types/content-type-remote-attachment) for reference
-
-### Agent message
-
-Allows to send structured metadata over the network that is displayed as plain-text in ecosystem inboxes.
-
-```tsx
-let clientMessage: clientMessage = {
- message: "Would you like to approve this transaction?",
- metadata: {
- amount: "10",
- token: "USDC",
- },
- receivers: ["0x123..."], // optional
- originalMessage: message, // optional
- typeId: "agent_message",
-};
-await client.send(clientMessage);
-```
-
-> Agent message is an implementation of a `custom` content-type and not yet officially supported by the protocol.
-
-**Open for feedback**
-You are welcome to provide feedback on this implementation by commenting on the [Proposal for content type](https://community.xmtp.org/).
diff --git a/packages/agent-starter/package.json b/packages/agent-starter/package.json
deleted file mode 100644
index c6aab5c..0000000
--- a/packages/agent-starter/package.json
+++ /dev/null
@@ -1,66 +0,0 @@
-{
- "name": "@xmtp/agent-starter",
- "version": "0.0.6",
- "homepage": "https://github.com/ephemeraHQ/xmtp-agents",
- "bugs": {
- "url": "https://github.com/ephemeraHQ/xmtp-agents/issues"
- },
- "repository": {
- "type": "git",
- "url": "git+ssh://git@github.com/ephemeraHQ/xmtp-agents.git",
- "directory": "packages/agent-starter"
- },
- "license": "MIT",
- "type": "module",
- "exports": {
- ".": {
- "types": "./dist/index.d.ts",
- "require": "./dist/index.cjs",
- "import": "./dist/index.js"
- }
- },
- "main": "dist/index.cjs",
- "module": "dist/index.js",
- "types": "dist/index.d.ts",
- "files": [
- "dist/**/*"
- ],
- "scripts": {
- "build": "rollup -c",
- "build:watch": "yarn build -w",
- "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf dist",
- "test": "vitest run"
- },
- "dependencies": {
- "@xmtp/content-type-primitives": "^2.0.0",
- "@xmtp/content-type-reaction": "^2.0.0",
- "@xmtp/content-type-read-receipt": "^2.0.0",
- "@xmtp/content-type-remote-attachment": "^2.0.0",
- "@xmtp/content-type-reply": "^2.0.0",
- "@xmtp/content-type-text": "^2.0.0",
- "@xmtp/node-sdk": "^0.0.40",
- "viem": "^2.22.12"
- },
- "devDependencies": {
- "@changesets/changelog-git": "^0.2.0",
- "@changesets/cli": "^2.27.11",
- "@rollup/plugin-typescript": "^12.1.2",
- "@types/node": "^22.10.9",
- "@vitest/coverage-v8": "^2.1.8",
- "dotenv": "^16.4.7",
- "node-fetch": "^3.3.2",
- "rollup": "^4.31.0",
- "rollup-plugin-dts": "^6.1.1",
- "ts-node": "^10.9.2",
- "typescript": "^5.7.3",
- "vitest": "^2.1.8"
- },
- "engines": {
- "node": ">=22"
- },
- "publishConfig": {
- "access": "public",
- "provenance": true,
- "registry": "https://registry.npmjs.org/"
- }
-}
diff --git a/packages/agent-starter/rollup.config.js b/packages/agent-starter/rollup.config.js
deleted file mode 100644
index a828b32..0000000
--- a/packages/agent-starter/rollup.config.js
+++ /dev/null
@@ -1,64 +0,0 @@
-import typescript from "@rollup/plugin-typescript";
-import { defineConfig } from "rollup";
-import { dts } from "rollup-plugin-dts";
-
-const external = [
- "@xmtp/content-type-primitives",
- "@xmtp/content-type-text",
- "@xmtp/content-type-reaction",
- "@xmtp/content-type-reply",
- "@xmtp/content-type-remote-attachment",
- "@xmtp/content-type-read-receipt",
- "@xmtp/node-sdk",
- "@xmtp/proto",
- "@xmtp/node-bindings",
- "cross-fetch",
- "node-fetch",
- "node:path",
- "node:crypto",
- "viem",
- "dotenv",
- "viem/accounts",
- "node:fs/promises",
- "node:fs",
- "viem/chains",
- "dotenv/config",
-];
-
-const plugins = [
- typescript({
- declaration: false,
- declarationMap: false,
- }),
-];
-
-export default defineConfig([
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.js",
- format: "es",
- sourcemap: true,
- },
- plugins,
- external,
- },
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.cjs",
- format: "cjs",
- sourcemap: true,
- },
- plugins,
- external,
- },
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.d.ts",
- format: "es",
- },
- plugins: [dts()],
- },
-]);
diff --git a/packages/agent-starter/src/content-types/agent-message.ts b/packages/agent-starter/src/content-types/agent-message.ts
deleted file mode 100644
index 93f25c8..0000000
--- a/packages/agent-starter/src/content-types/agent-message.ts
+++ /dev/null
@@ -1,61 +0,0 @@
-import {
- ContentTypeId,
- type ContentCodec,
- type EncodedContent,
-} from "@xmtp/content-type-primitives";
-import type { Metadata } from "../lib/types";
-
-// Create a unique identifier for your content type
-export const ContentTypeAgentMessage = new ContentTypeId({
- authorityId: "xmtp.org",
- typeId: "agent_message",
- versionMajor: 1,
- versionMinor: 0,
-});
-
-// Define the message structure with metadata
-export class AgentMessage {
- public text: string;
- public metadata: Metadata;
-
- constructor(text: string, metadata: Metadata) {
- this.text = text;
- this.metadata = {
- isAgent: true,
- ...metadata,
- };
- }
-}
-
-// Define the codec
-export class AgentMessageCodec implements ContentCodec {
- get contentType(): ContentTypeId {
- return ContentTypeAgentMessage;
- }
-
- encode(message: AgentMessage): EncodedContent {
- return {
- type: ContentTypeAgentMessage,
- parameters: {},
- content: new TextEncoder().encode(JSON.stringify(message)),
- };
- }
-
- decode(encodedContent: EncodedContent): AgentMessage {
- const decoded = new TextDecoder().decode(encodedContent.content);
- const { text, metadata } = JSON.parse(decoded) as {
- text: string;
- metadata: Metadata;
- };
- return new AgentMessage(text, metadata);
- }
-
- // Only show the message text in unsupported clients
- fallback(content: AgentMessage): string {
- return content.text;
- }
-
- shouldPush(): boolean {
- return true;
- }
-}
diff --git a/packages/agent-starter/src/index.ts b/packages/agent-starter/src/index.ts
deleted file mode 100644
index 1c36ce9..0000000
--- a/packages/agent-starter/src/index.ts
+++ /dev/null
@@ -1,3 +0,0 @@
-export * from "./lib/xmtp.js";
-export type * from "./lib/types.js";
-export * from "./content-types/agent-message.js";
diff --git a/packages/agent-starter/src/lib/types.ts b/packages/agent-starter/src/lib/types.ts
deleted file mode 100644
index 9d71a7b..0000000
--- a/packages/agent-starter/src/lib/types.ts
+++ /dev/null
@@ -1,84 +0,0 @@
-import type { Client, ClientOptions } from "@xmtp/node-sdk";
-import type { createWalletClient } from "viem";
-import type { privateKeyToAccount } from "viem/accounts";
-
-export type { Client };
-export type { ClientOptions };
-
-export type Metadata = {
- isAgent?: boolean;
- [key: string]: any;
-};
-
-export type clientMessage = {
- message: string;
- originalMessage?: Message;
- metadata: Metadata;
- receivers?: string[];
- typeId?:
- | "text"
- | "image"
- | "reaction"
- | "reply"
- | "attachment"
- | "read_receipt"
- | "agent_message";
-};
-
-export interface UserReturnType {
- key: string;
- account: ReturnType;
- wallet: ReturnType;
-}
-
-export type Agent = {
- name?: string;
- walletKey?: string;
- encryptionKey?: string;
- onMessage?: (message: Message) => Promise;
- config?: ClientOptions;
-};
-
-export type Conversation = {
- id: string;
- createdAt: Date;
- topic?: string;
- members?: {
- address: string;
- inboxId: string;
- installationIds: string[];
- accountAddresses: string[];
- username?: string;
- ensDomain?: string;
- }[];
- admins?: string[];
- name?: string;
- superAdmins?: string[];
-};
-
-export type Message = {
- id: string; // Unique identifier for the message
- sent: Date; // Date when the message was sent
- content: {
- text?: string | undefined; // Text content of the message
- reply?: string | undefined; // Reply content if the message is a reply
- previousMsg?: string | undefined; // Reference to the previous message
- attachment?: string | undefined; // Attachment content if the message is an attachment
- reaction?: string | undefined; // Reaction content if the message is a reaction
- reference?: string | undefined; // Reference ID for the message
- };
- group?: Conversation; // Group the message belongs to
- sender: {
- address: string;
- inboxId: string;
- installationIds: string[];
- accountAddresses: string[];
- username?: string;
- ensDomain?: string;
- }; // Sender of the message
- typeId: string; // Type identifier for the message
- client: {
- address: string;
- inboxId: string;
- };
-};
diff --git a/packages/agent-starter/src/lib/xmtp.ts b/packages/agent-starter/src/lib/xmtp.ts
deleted file mode 100644
index 16cf39a..0000000
--- a/packages/agent-starter/src/lib/xmtp.ts
+++ /dev/null
@@ -1,640 +0,0 @@
-import crypto, { getRandomValues } from "node:crypto";
-import * as fs from "node:fs";
-import { readFile } from "node:fs/promises";
-import path from "node:path";
-import {
- ContentTypeReaction,
- ReactionCodec,
- type Reaction,
-} from "@xmtp/content-type-reaction";
-import { ReadReceiptCodec } from "@xmtp/content-type-read-receipt";
-import {
- AttachmentCodec,
- ContentTypeRemoteAttachment,
- RemoteAttachmentCodec,
- type Attachment,
- type RemoteAttachment,
-} from "@xmtp/content-type-remote-attachment";
-import {
- ContentTypeReply,
- ReplyCodec,
- type Reply,
-} from "@xmtp/content-type-reply";
-import { ContentTypeText, TextCodec } from "@xmtp/content-type-text";
-import {
- Client,
- type ClientOptions,
- type Conversation,
- type DecodedMessage,
-} from "@xmtp/node-sdk";
-import dotenv from "dotenv";
-import fetch from "node-fetch";
-import { createWalletClient, http, isAddress, toBytes, toHex } from "viem";
-import { privateKeyToAccount } from "viem/accounts";
-import { mainnet } from "viem/chains";
-import {
- AgentMessage,
- AgentMessageCodec,
- ContentTypeAgentMessage,
-} from "../content-types/agent-message.js";
-import type { Agent, clientMessage, Message, UserReturnType } from "./types.js";
-
-dotenv.config();
-
-export async function xmtpClient(agent?: Agent): Promise {
- let xmtp: XMTP | null = null; // Ensure a single instance
- xmtp = new XMTP(agent);
- await xmtp.init();
- return xmtp;
-}
-
-export class XMTP {
- client: Client | undefined;
- address: string | undefined;
- inboxId: string | undefined;
- onMessage: (message: Message) => Promise;
- agent?: Agent;
-
- constructor(agent?: Agent) {
- this.onMessage = agent?.onMessage ?? (() => Promise.resolve());
- this.agent = agent;
- }
-
- async init(): Promise {
- const suffix = this.agent?.name ? "_" + this.agent.name : "";
- let encryptionKey =
- this.agent?.encryptionKey ??
- process.env["ENCRYPTION_KEY" + suffix] ??
- toHex(getRandomValues(new Uint8Array(32)));
-
- if (!encryptionKey.startsWith("0x")) {
- encryptionKey = "0x" + encryptionKey;
- }
- let walletKey =
- this.agent?.walletKey ??
- process.env["WALLET_KEY" + suffix] ??
- toHex(getRandomValues(new Uint8Array(32)));
-
- if (!walletKey.startsWith("0x")) {
- walletKey = "0x" + walletKey;
- }
-
- const user = createUser(walletKey);
-
- let env = this.agent?.config?.env;
- if (!env) env = "production";
-
- const volumePath =
- process.env.RAILWAY_VOLUME_MOUNT_PATH ??
- this.agent?.config?.dbPath ??
- ".data/xmtp";
-
- if (!fs.existsSync(volumePath)) {
- fs.mkdirSync(volumePath, { recursive: true });
- }
-
- const defaultConfig: ClientOptions = {
- env: env,
- dbPath: `${volumePath}/${user.account.address.toLowerCase()}-${env}`,
- codecs: [
- new TextCodec(),
- new ReactionCodec(),
- new ReplyCodec(),
- new RemoteAttachmentCodec(),
- new AttachmentCodec(),
- new ReadReceiptCodec(),
- new AgentMessageCodec(),
- ],
- };
-
- // Merge the default configuration with the provided config. Repeated fields in clientConfig will override the default values
- const finalConfig = { ...defaultConfig, ...this.agent?.config };
-
- const client = await Client.create(
- createSigner(user),
- new Uint8Array(toBytes(encryptionKey as `0x${string}`)),
- finalConfig,
- );
-
- this.client = client;
- this.inboxId = client.inboxId;
- this.address = client.accountAddress;
- void streamMessages(this.onMessage, client, this);
- this.saveKeys(suffix, walletKey, encryptionKey);
- return this;
- }
- saveKeys(suffix: string, walletKey: string, encryptionKey: string) {
- const envFilePath = path.resolve(process.cwd(), ".env");
- const envContent = `\nENCRYPTION_KEY${suffix}=${encryptionKey}\nWALLET_KEY${suffix}=${walletKey}`;
-
- // Read the existing .env file content
- let existingEnvContent = "";
- if (fs.existsSync(envFilePath)) {
- existingEnvContent = fs.readFileSync(envFilePath, "utf8");
- }
-
- // Check if the keys already exist
- if (
- !existingEnvContent.includes(`ENCRYPTION_KEY${suffix}=`) &&
- !existingEnvContent.includes(`WALLET_KEY${suffix}=`)
- ) {
- fs.appendFileSync(envFilePath, envContent);
- }
- }
- async getAttachment(source: string): Promise {
- try {
- let imgArray: Uint8Array;
- let mimeType: string;
- let filename: string;
-
- const MAX_SIZE = 1024 * 1024; // 1MB in bytes
-
- // Check if source is a URL
- if (source.startsWith("http://") || source.startsWith("https://")) {
- try {
- // Handle URL
- const response = await fetch(source);
- if (!response.ok) {
- throw new Error(`HTTP error! status: ${response.status}`);
- }
-
- // Check Content-Length header first if available
- const contentLength = response.headers.get("content-length");
- if (contentLength && parseInt(contentLength) > MAX_SIZE) {
- throw new Error("Image size exceeds 1MB limit");
- }
-
- const arrayBuffer = await response.arrayBuffer();
-
- // Double check actual size
- if (arrayBuffer.byteLength > MAX_SIZE) {
- throw new Error("Image size exceeds 1MB limit");
- }
-
- imgArray = new Uint8Array(arrayBuffer);
- mimeType = response.headers.get("content-type") || "image/jpeg";
- filename = source.split("/").pop() || "image";
-
- // If filename doesn't have an extension, add one based on mime type
- if (!filename.includes(".")) {
- const ext = mimeType.split("/")[1];
- filename = `${filename}.${ext}`;
- }
- } catch (error) {
- console.error("Error fetching image from URL:", error);
- throw error;
- }
- } else {
- // Handle file path
- const file = await readFile(source);
-
- // Check file size
- if (file.length > MAX_SIZE) {
- throw new Error("Image size exceeds 1MB limit");
- }
-
- filename = path.basename(source);
- const extname = path.extname(source);
- mimeType = `image/${extname.replace(".", "").replace("jpg", "jpeg")}`;
- imgArray = new Uint8Array(file);
- }
-
- const attachment: Attachment = {
- filename,
- mimeType,
- data: imgArray,
- };
- return attachment;
- } catch (error) {
- console.error("Failed to send image:", error);
- throw error;
- }
- }
-
- async send(clientMessage: clientMessage) {
- let contentType: typeof ContentTypeReaction = ContentTypeText;
-
- let message: any;
- if (!clientMessage.typeId || clientMessage.typeId === "text") {
- message = clientMessage.message;
- contentType = ContentTypeText;
- } else if (clientMessage.typeId === "attachment") {
- message = (await this.getAttachment(clientMessage.message)) as Attachment;
- contentType = ContentTypeRemoteAttachment;
- } else if (clientMessage.typeId === "reaction") {
- message = {
- content: clientMessage.message,
- action: "added",
- reference: clientMessage.originalMessage?.id,
- schema: "unicode",
- } as Reaction;
- contentType = ContentTypeReaction;
- } else if (clientMessage.typeId === "reply") {
- contentType = ContentTypeReply;
- message = {
- content: clientMessage.message,
- contentType: ContentTypeText,
- reference: clientMessage.originalMessage?.id,
- } as Reply;
- } else if (clientMessage.typeId === "agent_message") {
- message = new AgentMessage(clientMessage.message, clientMessage.metadata);
- contentType = ContentTypeAgentMessage;
- }
- if (!clientMessage.receivers || clientMessage.receivers.length == 0) {
- clientMessage.receivers = [
- clientMessage.originalMessage?.sender.inboxId as string,
- ];
- }
- for (const receiverAddress of clientMessage.receivers) {
- const inboxId = !isAddress(receiverAddress)
- ? receiverAddress
- : await this.client?.getInboxIdByAddress(receiverAddress);
- if (!inboxId) {
- throw new Error("Invalid receiver address");
- }
- let conversation = this.client?.conversations.getDmByInboxId(inboxId);
- if (!conversation) {
- conversation = await this.client?.conversations.newDm(receiverAddress);
- }
- return conversation?.send(message, contentType);
- }
- }
-
- getConversationFromMessage(message: DecodedMessage | null | undefined) {
- return this.client?.conversations.getConversationById(
- (message as DecodedMessage).conversationId,
- );
- }
-
- getConversationKey(message: Message) {
- return `${message.group?.id}`;
- }
-
- getUserConversationKey(message: Message) {
- return `${message.group?.id}`;
- }
-
- getMessageById(reference: string) {
- return this.client?.conversations.getMessageById.bind(
- this.client.conversations,
- )(reference);
- }
-
- async canMessage(address: string): Promise {
- const isOnXMTP = await this.client?.canMessage([address]);
- return isOnXMTP ? true : false;
- }
-
- // Function to retrieve the last shared secret from agent messages
- async getLastAgentMessageSharedSecret(
- address: string,
- ): Promise {
- try {
- // Get the inbox ID for the given address
- const inboxId = await this.client?.getInboxIdByAddress(address);
- if (!inboxId) {
- console.error(`Invalid receiver address ${address}`);
- return undefined;
- }
-
- // List all direct message conversations
- const conversations = this.client?.conversations.listDms();
- if (!conversations) {
- console.error(`No conversations found ${inboxId}`);
- return undefined;
- }
-
- // Find the conversation with the matching inbox ID
- const conversation = conversations.find(
- (c: Conversation) => c.dmPeerInboxId === inboxId,
- );
-
- if (!conversation) {
- console.error(`No conversation found ${conversations.length}`);
- return undefined;
- }
-
- // Retrieve all messages from the conversation
- const messages = await conversation.messages();
- if (!messages.length) {
- console.error(`No messages found ${conversation.id}`);
- return undefined;
- }
-
- // Find the last agent message with a shared secret
- const lastAgentMessageSharedSecret = messages
- .reverse()
- .find(
- (msg: DecodedMessage) =>
- msg.contentType?.typeId === "agent_message" &&
- (msg.content as AgentMessage).metadata.sharedSecret,
- );
- if (!lastAgentMessageSharedSecret) {
- console.error(`No shared secret found ${conversation.id}`);
- return undefined;
- }
-
- // Return the shared secret
- return (lastAgentMessageSharedSecret.content as AgentMessage).metadata
- .sharedSecret as string;
- } catch (error) {
- console.error(
- `Error getting last agent message shared secret: ${(error as Error).message}`,
- );
- return undefined;
- }
- }
-
- // Function to encrypt a plaintext message for a given receiver
- async encrypt(
- plaintext: string,
- receiverAddress: string,
- ): Promise<{ nonce: string; ciphertext: string }> {
- try {
- // Retrieve the last shared secret or generate a new one if not found
- let sharedSecret =
- await this.getLastAgentMessageSharedSecret(receiverAddress);
- if (!sharedSecret) {
- console.log(
- "No shared secret found on encrypt, generating new one through a handshake",
- );
- sharedSecret = crypto.randomBytes(32).toString("hex");
- const clientMessage: clientMessage = {
- message: "",
- metadata: {
- sharedSecret,
- },
- receivers: [receiverAddress],
- typeId: "agent_message",
- };
-
- // Send a handshake message with the new shared secret
- await this.send(clientMessage);
- console.log("Sent handshake message");
- }
-
- // Convert the shared secret to a buffer
- const bufferFromSharedSecret = Buffer.from(sharedSecret, "hex");
-
- // Generate a nonce and create a cipher for encryption
- const nonce = crypto.randomBytes(12);
- const cipher = crypto.createCipheriv(
- "chacha20-poly1305",
- bufferFromSharedSecret,
- nonce,
- { authTagLength: 16 },
- );
-
- // Encrypt the plaintext
- const ciphertext = Buffer.concat([
- cipher.update(plaintext, "utf8"),
- cipher.final(),
- ]);
- const authTag = cipher.getAuthTag();
- const encryptedPayload = Buffer.concat([ciphertext, authTag]);
-
- // Return the nonce and ciphertext
- return {
- nonce: nonce.toString("hex"),
- ciphertext: encryptedPayload.toString("hex"),
- };
- } catch (error) {
- console.error("Error encrypting message:", error);
- throw error;
- }
- }
-
- // Function to decrypt a message using the nonce and ciphertext
- async decrypt(
- nonceHex: string,
- ciphertextHex: string,
- senderAddress: string,
- ): Promise {
- try {
- // Convert nonce and ciphertext from hex to buffer
- const nonce = Buffer.from(nonceHex, "hex");
- const encryptedPayload = Buffer.from(ciphertextHex, "hex");
-
- // Extract the authentication tag and ciphertext
- const authTag = encryptedPayload.slice(-16);
- const ciphertext = encryptedPayload.slice(0, -16);
-
- // Retrieve the shared secret for decryption
- const sharedSecret =
- await this.getLastAgentMessageSharedSecret(senderAddress);
-
- if (!sharedSecret) {
- throw new Error(
- `decrypt: No sharedSecret secret found on decrypt for ${senderAddress}`,
- );
- }
-
- // Convert the shared secret to a buffer
- const bufferFromSharedSecret = Buffer.from(sharedSecret, "hex");
-
- // Create a decipher for decryption
- const decipher = crypto.createDecipheriv(
- "chacha20-poly1305",
- bufferFromSharedSecret,
- nonce,
- { authTagLength: 16 },
- );
- decipher.setAuthTag(authTag);
-
- // Decrypt the ciphertext
- const decrypted = Buffer.concat([
- decipher.update(ciphertext),
- decipher.final(),
- ]);
-
- // Return the decrypted message as a string
- return decrypted.toString("utf8");
- } catch (error) {
- console.error("Error decrypting message:", error);
- throw error;
- }
- }
-}
-
-async function streamMessages(
- onMessage: (message: Message) => Promise,
- client: Client | undefined,
- xmtp: XMTP,
-) {
- try {
- await client?.conversations.sync();
- const stream = await client?.conversations.streamAllMessages();
- if (stream) {
- for await (const message of stream) {
- const conversation = xmtp.getConversationFromMessage(message);
- if (message && conversation) {
- try {
- const { senderInboxId, kind } = message;
-
- if (
- // Filter out membership_change messages and sent by one
- senderInboxId.toLowerCase() === client?.inboxId.toLowerCase() &&
- kind !== "membership_change"
- ) {
- continue;
- }
-
- const parsedMessage = await parseMessage(
- message,
- conversation,
- client as Client,
- );
- await onMessage(parsedMessage as Message);
- } catch (e) {
- console.log(`error`, e);
- }
- }
- }
- }
- } catch (err) {
- console.error(`Stream encountered an error:`, err);
- }
-}
-
-function createSigner(user: UserReturnType) {
- return {
- getAddress: () => user.account.address,
- signMessage: async (message: string) => {
- const signature = await user.wallet.signMessage({
- account: user.account,
- message,
- });
- return toBytes(signature);
- },
- };
-}
-
-export function createUser(key: string): UserReturnType {
- const account = privateKeyToAccount(key as `0x${string}`);
- return {
- key,
- account,
- wallet: createWalletClient({
- account,
- chain: mainnet,
- transport: http(),
- }),
- };
-}
-
-export async function parseMessage(
- message: DecodedMessage | undefined | null,
- conversation: Conversation | undefined,
- client: Client,
-): Promise {
- if (message === null || message === undefined) return undefined;
- const typeId = message.contentType?.typeId ?? "text";
- let content: any;
- if (typeId == "text") {
- content = {
- text: message.content as string,
- };
- } else if (typeId == "reply") {
- const previousMsg = client.conversations.getMessageById(
- (message.content as Reply).reference,
- );
- const messageContent = message.content as Reply;
- content = {
- previousMsg,
- // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment
- reply: messageContent.content,
- // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment
- text: messageContent.content,
- reference: messageContent.reference,
- };
- } else if (typeId == "reaction") {
- const messageContent = message.content as Reaction;
- content = {
- reaction: messageContent.content,
- reference: messageContent.reference,
- };
- } else if (message.contentType?.typeId == "remote_attachment") {
- const messageContent = message.content as RemoteAttachment;
- const attachment = await RemoteAttachmentCodec.load(
- messageContent,
- client,
- );
- content = {
- attachment: attachment,
- };
- } else if (typeId == "read_receipt") {
- //Log read receipt
- } else if (typeId == "agent_message") {
- const messageContent = message.content as AgentMessage;
- content = {
- text: messageContent.text,
- metadata: messageContent.metadata,
- };
- } else if (typeId == "attachment") {
- const messageContent = message.content as Attachment;
- const blobdecoded = new Blob([messageContent.data], {
- type: messageContent.mimeType,
- });
- const url = URL.createObjectURL(blobdecoded);
-
- content = {
- attachment: url,
- };
- }
- const date = message.sentAt;
- let sender:
- | {
- inboxId: string;
- address: string;
- accountAddresses: string[];
- installationIds: string[];
- username?: string;
- ensDomain?: string;
- }
- | undefined = undefined;
-
- await conversation?.sync();
- const members = await conversation?.members();
- const membersArray = members?.map((member) => ({
- inboxId: member.inboxId,
- address: member.accountAddresses[0],
- accountAddresses: member.accountAddresses,
- installationIds: member.installationIds,
- })) as {
- inboxId: string;
- address: string;
- accountAddresses: string[];
- installationIds: string[];
- }[];
-
- sender = membersArray.find(
- (member: { inboxId: string }) => member.inboxId === message.senderInboxId,
- );
- return {
- id: message.id,
- sender: {
- inboxId: sender?.inboxId || "",
- address: sender?.address || "",
- accountAddresses: sender?.accountAddresses || [],
- installationIds: sender?.installationIds || [],
- username: sender?.username || "",
- ensDomain: sender?.ensDomain || "",
- },
- group: {
- id: conversation?.id,
- createdAt: conversation?.createdAt,
- name: conversation?.name,
- members: membersArray,
- admins: conversation?.admins,
- superAdmins: conversation?.superAdmins,
- },
- sent: date,
- // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment
- content,
- typeId,
- client: {
- address: client.accountAddress,
- inboxId: client.inboxId,
- },
- } as Message;
-}
diff --git a/packages/agent-starter/tests/Client.test.ts b/packages/agent-starter/tests/Client.test.ts
deleted file mode 100644
index 40c5d5c..0000000
--- a/packages/agent-starter/tests/Client.test.ts
+++ /dev/null
@@ -1,55 +0,0 @@
-import { generatePrivateKey } from "viem/accounts";
-import { describe, expect, test } from "vitest";
-import { createUser, XMTP, xmtpClient } from "../src/lib/xmtp";
-
-describe("Client Private Key Configuration Tests", () => {
- test("creates a client with a random generated key", async () => {
- const xmtp = new XMTP();
- await xmtp.init();
- expect(xmtp.inboxId).toBeDefined();
- }, 25000); // Added 15 second timeout
-
- test("creates a client with a provided private key", async () => {
- const walletKey = generatePrivateKey();
- const xmtp = new XMTP({
- walletKey,
- onMessage: async () => {},
- });
- await xmtp.init();
- expect(xmtp.inboxId).toBeDefined();
- }, 15000); // Added 15 second timeout
-
- test("creates user with valid private key", () => {
- const privateKey = generatePrivateKey();
- const user = createUser(privateKey);
-
- expect(user.key).toBe(privateKey);
- expect(user.account).toBeDefined();
- expect(user.wallet).toBeDefined();
- }, 15000); // Added 15 second timeout
-
- test("Creates a key with a agent name", async () => {
- const agentName = "bob3";
- const xmtp = await xmtpClient({
- name: agentName,
- });
- expect(xmtp.inboxId).toBeDefined();
- });
-
- test("fails gracefully with invalid private key format", async () => {
- const invalidKey = "invalid_key";
-
- try {
- const xmtp = new XMTP({
- walletKey: invalidKey,
- onMessage: async () => {},
- });
- await xmtp.init();
- // If no error is thrown, fail the test
- throw new Error("Expected error was not thrown");
- } catch (error) {
- // Check if the error is the expected one
- expect((error as Error).message).toContain("invalid private key");
- }
- }, 15000); // Added 15 second timeout
-});
diff --git a/packages/agent-starter/tests/Deeplink.test.ts b/packages/agent-starter/tests/Deeplink.test.ts
deleted file mode 100644
index e669180..0000000
--- a/packages/agent-starter/tests/Deeplink.test.ts
+++ /dev/null
@@ -1,28 +0,0 @@
-import { XMTP } from "@xmtp/agent-starter";
-import { describe, expect, test } from "vitest";
-
-describe("Deeplink Tests", () => {
- test("If no dm created, create one", async () => {
- const xmtp = new XMTP();
- await xmtp.init();
-
- if (!xmtp.address) {
- expect(xmtp.address).toBeUndefined();
- return;
- }
- const inboxId = await xmtp.client?.getInboxIdByAddress(xmtp.address);
- if (!inboxId) {
- expect(inboxId).toBeUndefined();
- return;
- }
-
- let dm = xmtp.client?.conversations.getDmByInboxId(inboxId);
- console.log("dm", dm);
- if (!dm) {
- const dmGroup = await xmtp.client?.conversations.newDm(xmtp.address);
- dm = dmGroup;
- }
- console.log("dm", dm?.id);
- expect(dm?.id).toBeDefined();
- }, 25000);
-});
diff --git a/packages/agent-starter/tests/Encryption.test.ts b/packages/agent-starter/tests/Encryption.test.ts
deleted file mode 100644
index afff889..0000000
--- a/packages/agent-starter/tests/Encryption.test.ts
+++ /dev/null
@@ -1,33 +0,0 @@
-import { describe, expect, test } from "vitest";
-import { xmtpClient } from "../src/lib/xmtp";
-
-describe("Encryption Tests", () => {
- test("decrypts a message with shared secret in metadata", async () => {
- const agentA = await xmtpClient({
- name: "bob1",
- });
- const agentB = await xmtpClient({
- name: "alice1",
- });
- // console.log("agentA", agentA.address);
- // console.log("agentB", agentB.address);
- const message = "Hello, World!";
- const { nonce, ciphertext } = await agentA.encrypt(
- message,
- agentB.address as string,
- );
- // console.log("message", message);
- // console.log("nonce", nonce);
- // console.log("ciphertext", ciphertext);
-
- await new Promise((resolve) => setTimeout(resolve, 2000));
- const decryptedMessage = await agentB.decrypt(
- nonce,
- ciphertext,
- agentA.address as string,
- );
- //console.log("decryptedMessage", decryptedMessage);
-
- expect(decryptedMessage).toBe(message);
- }, 1000000);
-});
diff --git a/packages/agent-starter/tests/Message.test.ts b/packages/agent-starter/tests/Message.test.ts
deleted file mode 100644
index 9f624e6..0000000
--- a/packages/agent-starter/tests/Message.test.ts
+++ /dev/null
@@ -1,45 +0,0 @@
-import { describe, expect, test } from "vitest";
-import type { Message } from "../src/lib/types";
-import { xmtpClient } from "../src/lib/xmtp";
-
-describe("Client Private Key Configuration Tests", async () => {
- const xmtp = await xmtpClient({
- name: "bob2",
- onMessage: async (message: Message) => {
- await new Promise((resolve) => setTimeout(resolve, 1000));
- expect(message.content.text).toBe("Hello, Alice!");
- expect(message.sender.address).toBe(xmtp2.address);
- },
- });
- console.log("Bob's client initialized");
-
- const xmtp2 = await xmtpClient({
- name: "alice2",
- onMessage: async (message: Message) => {
- console.log(
- "Alice received message:",
- message.content.text,
- "from",
- message.sender.address,
- );
- await new Promise((resolve) => setTimeout(resolve, 1000));
- expect(message.content.text).toBe("Hello, Bob!");
- expect(message.sender.address).toBe(xmtp.address);
- },
- });
-
- test("Send a message to a client", async () => {
- const message = await xmtp.send({
- message: "Hello, Alice!",
- receivers: [xmtp2.address as string],
- metadata: {},
- });
- const message2 = await xmtp2.send({
- message: "Hello, Bob!",
- receivers: [xmtp.address as string],
- metadata: {},
- });
- expect(message).toBeDefined();
- expect(message2).toBeDefined();
- }, 25000);
-});
diff --git a/packages/agent-starter/tsconfig.json b/packages/agent-starter/tsconfig.json
deleted file mode 100644
index 04248f9..0000000
--- a/packages/agent-starter/tsconfig.json
+++ /dev/null
@@ -1,4 +0,0 @@
-{
- "include": ["src/**/*", "tests/**/*", "rollup.config.js"],
- "extends": "@xmtp/tsconfig/base.json"
-}
diff --git a/packages/lookup/CHANGELOG.md b/packages/lookup/CHANGELOG.md
deleted file mode 100644
index 7dafd16..0000000
--- a/packages/lookup/CHANGELOG.md
+++ /dev/null
@@ -1,7 +0,0 @@
-# @xmtp/lookup
-
-## 0.0.4
-
-### Patch Changes
-
-- d8fd67f: Fixed various type and code issues
diff --git a/packages/lookup/README.md b/packages/lookup/README.md
deleted file mode 100644
index 572ed7c..0000000
--- a/packages/lookup/README.md
+++ /dev/null
@@ -1,122 +0,0 @@
-# Lookup library
-
-The Lookup module provides a utility function to resolve various types of identifiers to their corresponding addresses or domains. This includes ENS names, reverse ENS lookups, website URLs, and Converse usernames.
-
-## Overview
-
-```typescript
-import { lookup } from "@xmtp/lookup";
-
-// Because user identifiers come in all shapes and sizes!
-const identifier = "vitalik.eth"; // Could also be "0x123...", "@fabri", or even a website
-const info = await lookup(identifier);
-```
-
-Result:
-
-```json
-{
- "ensDomain": "vitalik.eth",
- "address": "0x1234...",
- "preferredName": "vitalik.eth",
- "converseUsername": "",
- "avatar": "https://...",
- "converseDeeplink": "https://converse.xyz/dm/..."
-}
-```
-
-The lookup always returns a `UserInfo` object with these fields:
-
-| Field | Description |
-| -------------------- | ------------------------------------------ |
-| **ensDomain** | The user’s ENS domain (if any) |
-| **address** | The Ethereum address |
-| **preferredName** | Best name to display |
-| **converseUsername** | The user’s Converse username (if any) |
-| **avatar** | URL of the user’s profile picture (if any) |
-| **converseDeeplink** | Deeplink for the user’s Converse profile |
-
-## Supported identifiers
-
-Below are examples of how to use the `lookup` function in different scenarios.
-
-- **Ethereum Addresses** : Example: `0x1234...`
-- **ENS Domains** : Example: `vitalik.eth`
-- **Converse Usernames** : Example: `@fabri`
-- **Inbox ID** : Example: `0x1234...` (Converse inbox ID)
-- **Website TXT Record** : Example: `https://example.com` containing `xmtp=0x1234..`
-- **Website Header Tag** : Example: `meta="xmtp" content="0x1234..."`
-
-## Install
-
-```bash [yarn]
-yarn add @xmtp/lookup
-```
-
-### ENS lookup
-
-To resolve an ENS name to an Ethereum address:
-
-```tsx
-import { lookup } from "@xmtp/lookup";
-
-async function resolveENS() {
- const data = await lookup("vitalik.eth");
- console.log(data?.address?.toLowerCase()); // Outputs: 0xd8dA6BF26964aF9D7eEd9e03E53415D37aA96045
-}
-```
-
-### ENS reverse lookup
-
-To resolve an Ethereum address to an ENS domain:
-
-```tsx
-async function reverseENS() {
- const data = await lookup("0x93E2fc3e99dFb1238eB9e0eF2580EFC5809C7204");
- console.log(data?.ensDomain?.toLowerCase()); // Outputs: humanagent.eth
-}
-```
-
-### Website lookup
-
-To resolve a website URL to an Ethereum address:
-
-Metatag on the website:
-
-```tsx
-
-```
-
-Then you can fetch it's address
-
-```tsx
-async function resolveWebsite() {
- const data = await lookup("https://messagekit.ephemerahq.com/");
- console.log(data?.address?.toLowerCase()); // Outputs: 0x93e2fc3e99dfb1238eb9e0ef2580efc5809c7204
-}
-```
-
-### Converse username lookup
-
-To resolve a [Converse](https://converse.xyz/) username to an Ethereum address:
-
-```tsx
-async function resolveConverseUsername() {
- const data = await lookup("@fabri");
- console.log(data?.address?.toLowerCase()); // Outputs: 0x93e2fc3e99dfb1238eb9e0ef2580efc5809c7204
-}
-```
-
-## Cache
-
-Skip the repeated lookups—use the built-in cache to store user data. Clear it whenever you need a fresh slate:
-
-```typescript
-import { cache } from "@xmtp/lookup";
-
-// Clear the entire cache:
-cache.clear();
-
-// Clear a specific address from the cache:
-cache.clear("0x1234...");
-```
diff --git a/packages/lookup/package.json b/packages/lookup/package.json
deleted file mode 100644
index 46205cd..0000000
--- a/packages/lookup/package.json
+++ /dev/null
@@ -1,58 +0,0 @@
-{
- "name": "@xmtp/lookup",
- "version": "0.0.4",
- "homepage": "https://github.com/ephemeraHQ/xmtp-agents",
- "bugs": {
- "url": "https://github.com/ephemeraHQ/xmtp-agents/issues"
- },
- "repository": {
- "type": "git",
- "url": "git+ssh://git@github.com/ephemeraHQ/xmtp-agents.git",
- "directory": "packages/lookup"
- },
- "license": "MIT",
- "type": "module",
- "exports": {
- ".": {
- "types": "./dist/index.d.ts",
- "require": "./dist/index.cjs",
- "import": "./dist/index.js"
- }
- },
- "main": "dist/index.cjs",
- "module": "dist/index.js",
- "types": "dist/index.d.ts",
- "files": [
- "dist/**/*"
- ],
- "scripts": {
- "build": "rollup -c",
- "build:watch": "yarn build -w",
- "clean": "rm -rf .turbo && rm -rf node_modules && rm -rf dist",
- "test": "vitest run"
- },
- "dependencies": {
- "viem": "^2.22.12"
- },
- "devDependencies": {
- "@changesets/changelog-git": "^0.2.0",
- "@changesets/cli": "^2.27.11",
- "@rollup/plugin-typescript": "^12.1.2",
- "@types/node": "^22.10.9",
- "@vitest/coverage-v8": "^2.1.8",
- "dotenv": "^16.4.7",
- "rollup": "^4.31.0",
- "rollup-plugin-dts": "^6.1.1",
- "ts-node": "^10.9.2",
- "typescript": "^5.7.3",
- "vitest": "^2.1.8"
- },
- "engines": {
- "node": ">=22"
- },
- "publishConfig": {
- "access": "public",
- "provenance": true,
- "registry": "https://registry.npmjs.org/"
- }
-}
diff --git a/packages/lookup/rollup.config.js b/packages/lookup/rollup.config.js
deleted file mode 100644
index 3b23f96..0000000
--- a/packages/lookup/rollup.config.js
+++ /dev/null
@@ -1,52 +0,0 @@
-import typescript from "@rollup/plugin-typescript";
-import { defineConfig } from "rollup";
-import { dts } from "rollup-plugin-dts";
-
-const external = [
- "cross-fetch",
- "dns",
- "path",
- "viem",
- "dotenv",
- "viem/accounts",
- "viem/chains",
- "dotenv/config",
-];
-
-const plugins = [
- typescript({
- declaration: false,
- declarationMap: false,
- }),
-];
-
-export default defineConfig([
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.js",
- format: "es",
- sourcemap: true,
- },
- plugins,
- external,
- },
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.cjs",
- format: "cjs",
- sourcemap: true,
- },
- plugins,
- external,
- },
- {
- input: "src/index.ts",
- output: {
- file: "dist/index.d.ts",
- format: "es",
- },
- plugins: [dts()],
- },
-]);
diff --git a/packages/lookup/src/index.ts b/packages/lookup/src/index.ts
deleted file mode 100644
index d32cbe0..0000000
--- a/packages/lookup/src/index.ts
+++ /dev/null
@@ -1,281 +0,0 @@
-import dns from "dns";
-import { isAddress } from "viem";
-
-export type InfoCache = Map;
-export type ConverseProfile = {
- address: string | undefined;
- onXmtp: boolean;
- avatar: string | undefined;
- formattedName: string | undefined;
- name: string | undefined;
-};
-export type UserInfo = {
- ensDomain?: string | undefined;
- address?: string | undefined;
- webDomain?: string | undefined;
- preferredName: string | undefined;
- converseUsername?: string | undefined;
- ensInfo?: EnsData | undefined;
- avatar?: string | undefined;
- inboxId?: string | undefined;
- converseDeeplink?: string | undefined;
-};
-
-export interface EnsData {
- address?: string;
- avatar?: string;
- avatar_small?: string;
- converse?: string;
- avatar_url?: string;
- contentHash?: string;
- description?: string;
- ens?: string;
- ens_primary?: string;
- github?: string;
- resolverAddress?: string;
- twitter?: string;
- url?: string;
- wallets?: {
- eth?: string;
- };
-}
-
-class UserInfoCache {
- private static instance: UserInfoCache | undefined;
- private cache: InfoCache = new Map();
-
- private constructor() {}
-
- public static getInstance(): UserInfoCache {
- if (!UserInfoCache.instance) {
- UserInfoCache.instance = new UserInfoCache();
- }
- return UserInfoCache.instance;
- }
-
- get(key: string): UserInfo | undefined {
- return this.cache.get(key.toLowerCase());
- }
-
- set(key: string, data: UserInfo): void {
- this.cache.set(key.toLowerCase(), data);
- }
-
- clear(key?: string): void {
- if (key) {
- this.cache.delete(key.toLowerCase());
- } else {
- this.cache.clear();
- }
- }
-}
-
-// Use the singleton instance
-export const cache = UserInfoCache.getInstance();
-
-export const lookup = async (
- key: string | undefined,
- clientAddress?: string,
-): Promise => {
- const data: UserInfo = {
- ensDomain: undefined,
- address: undefined,
- converseUsername: undefined,
- ensInfo: undefined,
- avatar: undefined,
- converseDeeplink: undefined,
- inboxId: undefined,
- preferredName: undefined,
- };
- if (typeof key !== "string") {
- console.error("userinfo key must be a string");
- return data;
- }
-
- const cachedData = cache.get(key);
- if (cachedData) return cachedData;
-
- key = key.toLowerCase();
- clientAddress = clientAddress?.toLowerCase();
-
- // Determine user information based on provided key
- if (isAddress(clientAddress || "")) {
- data.address = clientAddress;
- } else if (isAddress(key || "")) {
- data.address = key;
- } else if (key.includes(".eth")) {
- data.ensDomain = key;
- } else if (key.includes("https://") || key.includes("http://")) {
- data.webDomain = key;
- } else if (["@user", "@me", "@bot"].includes(key)) {
- data.address = clientAddress;
- data.ensDomain = key.replace("@", "") + ".eth";
- data.converseUsername = key.replace("@", "");
- } else if (key === "@alix") {
- data.address = "0x3a044b218BaE80E5b9E16609443A192129A67BeA".toLowerCase();
- data.converseUsername = "alix";
- } else if (key === "@bo") {
- data.address = "0xbc3246461ab5e1682baE48fa95172CDf0689201a".toLowerCase();
- data.converseUsername = "bo";
- } else {
- data.converseUsername = key;
- }
-
- data.preferredName = data.ensDomain || data.converseUsername || data.address;
-
- if (data.webDomain) {
- //data.address = await getEvmAddressFromDns(data.webDomain);
- if (!data.address) {
- data.address = await getEvmAddressFromHeaderTag(data.webDomain);
- }
- }
-
- const keyToUse =
- data.address?.toLowerCase() || data.ensDomain || data.converseUsername;
-
- if (!keyToUse) {
- console.log("Unable to determine a valid key for fetching user info.");
- return data;
- } else {
- // Fetch EVM address from DNS
- try {
- const response = await fetch(`https://ensdata.net/${keyToUse}`);
- if (response.status !== 200) {
- if (process.env.MSG_LOG === "true")
- console.log("- ENS data request failed for", keyToUse);
- } else {
- const ensData = (await response.json()) as EnsData | undefined;
- if (ensData) {
- data.ensInfo = ensData;
- data.ensDomain = ensData.ens || data.ensDomain;
- data.address =
- ensData.address?.toLowerCase() || data.address?.toLowerCase();
- data.avatar = ensData.avatar_url || data.avatar;
- }
- }
- } catch {
- console.error(`Failed to fetch ENS data for ${keyToUse}`);
- }
-
- try {
- const converseProfileUrl = `https://converse.xyz/profile/${data.converseUsername}`;
- const response = await fetchWithTimeout(
- converseProfileUrl,
- {
- method: "POST",
- headers: {
- "Content-Type": "application/json",
- Accept: "application/json",
- },
- body: JSON.stringify({ peer: data.converseUsername }),
- },
- 5000,
- );
- if (!response?.ok) {
- console.error(
- `Converse profile request failed with status ${response?.status}`,
- );
- }
- const converseData = (await response?.json()) as
- | ConverseProfile
- | undefined;
- if (converseData) {
- data.converseUsername =
- converseData.formattedName ||
- converseData.name ||
- data.converseUsername;
- data.address =
- converseData.address?.toLowerCase() || data.address?.toLowerCase();
- data.avatar = converseData.avatar || data.avatar;
- data.converseDeeplink = `https://converse.xyz/dm/${data.converseUsername}`;
- }
- } catch (error) {
- console.error("Failed to fetch Converse profile:", error);
- }
-
- data.preferredName = data.ensDomain || data.converseUsername || "Friend";
- cache.set(keyToUse, data);
- return data;
- }
-};
-
-const fetchWithTimeout = async (
- url: string,
- options: RequestInit,
- timeout = 5000,
-) => {
- const controller = new AbortController();
- const id = setTimeout(() => {
- controller.abort();
- }, timeout);
- try {
- const response = await fetch(url, {
- ...options,
- signal: controller.signal,
- });
- clearTimeout(id);
- return response;
- } catch {
- clearTimeout(id);
- console.error("fetching");
- }
-};
-
-export async function getEvmAddressFromDns(
- domain: string,
-): Promise {
- try {
- try {
- const records = await new Promise((resolve, reject) => {
- dns.resolveTxt(domain, (err, records) => {
- if (err) {
- console.error("Failed to resolve TXT records:", err);
- reject(err);
- return;
- }
- resolve(records);
- });
- });
- if (Array.isArray(records)) {
- for (const recordArray of records) {
- const recordText = recordArray.join("");
- console.log(`Found TXT record: ${recordText}`);
-
- const match = recordText.match(/^xmtp=(0x[a-fA-F0-9]+)/);
- if (match && match[1]) {
- return match[1];
- }
- }
- } else {
- console.error("Expected records to be an array, but got:", records);
- }
- return undefined;
- } catch (error) {
- console.error("Failed to resolve TXT records:", error);
- return undefined;
- }
- } catch (error) {
- console.error("Failed to fetch or parse the website:", error);
- }
-}
-
-export async function getEvmAddressFromHeaderTag(
- website: string,
-): Promise {
- try {
- const response = await fetch(website);
- const html = await response.text();
-
- // Use regex to find the meta tag with name="xmtp"
- const metaTagRegex =
- / {
- test("lookup address", async () => {
- //ENS lookup
- let data = await lookup("vitalik.eth");
- expect(data?.address?.toLowerCase()).toBe(
- "0xd8dA6BF26964aF9D7eEd9e03E53415D37aA96045".toLowerCase(),
- );
-
- //ENS reverse lookup
- data = await lookup("0x93E2fc3e99dFb1238eB9e0eF2580EFC5809C7204");
- expect(data?.ensDomain?.toLowerCase()).toBe("humanagent.eth".toLowerCase());
-
- //Website lookup
- data = await lookup("https://messagekit.ephemerahq.com/");
- expect(data?.address?.toLowerCase()).toBe(
- "0x93e2fc3e99dfb1238eb9e0ef2580efc5809c7204".toLowerCase(),
- );
-
- //Converse username lookup
- data = await lookup("@fabri");
- expect(data?.address?.toLowerCase()).toBe(
- "0x93e2fc3e99dfb1238eb9e0ef2580efc5809c7204".toLowerCase(),
- );
- }, 25000); // Added 15 second timeout
-});
diff --git a/packages/lookup/tsconfig.json b/packages/lookup/tsconfig.json
deleted file mode 100644
index 04248f9..0000000
--- a/packages/lookup/tsconfig.json
+++ /dev/null
@@ -1,4 +0,0 @@
-{
- "include": ["src/**/*", "tests/**/*", "rollup.config.js"],
- "extends": "@xmtp/tsconfig/base.json"
-}
diff --git a/scripts/examples.js b/scripts/examples.js
deleted file mode 100644
index 56e1653..0000000
--- a/scripts/examples.js
+++ /dev/null
@@ -1,68 +0,0 @@
-import { execSync } from "child_process";
-import fs from "fs";
-import path from "node:path";
-import { fileURLToPath } from "node:url";
-import { select } from "@clack/prompts";
-
-const __filename = fileURLToPath(import.meta.url);
-const __dirname = path.dirname(__filename);
-
-// Add a flag to prevent multiple executions
-let isRunning = false;
-
-const examplesDir = path.resolve(__dirname, "../examples");
-const examples = fs.readdirSync(examplesDir).filter((file) => {
- return (
- fs.statSync(path.join(examplesDir, file)).isDirectory() &&
- file !== "replit" &&
- file !== "railway"
- );
-});
-
-async function runSelectedExample() {
- // Prevent multiple executions
- if (isRunning) {
- console.log("Development server is already running.");
- return;
- }
-
- // Get example from command line argument if provided
- const directExample = process.argv[2];
-
- let selectedExample;
- if (directExample && examples.includes(directExample)) {
- selectedExample = directExample;
- } else {
- selectedExample = await select({
- message: "Select a example to run:",
- options: examples.map((example) => ({
- value: example,
- label: example,
- })),
- });
- }
-
- if (typeof selectedExample === "symbol" || !selectedExample) {
- console.log("No example selected. Exiting.");
- return;
- }
-
- const examplePath = path.resolve(__dirname, `../examples/${selectedExample}`);
-
- try {
- isRunning = true;
- console.log(`Running example for ${selectedExample}...`);
- execSync(`cd ${examplePath} && yarn dev`, {
- stdio: "inherit",
- });
- } catch (error) {
- console.error(`Error running example for ${selectedExample}:`, error);
- } finally {
- isRunning = false;
- }
-}
-
-// Only run if this is the main module
-if (import.meta.url === `file://${__filename}`) {
- runSelectedExample();
-}
diff --git a/scripts/publish.js b/scripts/publish.js
deleted file mode 100644
index 6b008c1..0000000
--- a/scripts/publish.js
+++ /dev/null
@@ -1,47 +0,0 @@
-import { execSync } from "child_process";
-import fs from "fs";
-import path from "path";
-
-// Function to update the version in package.json
-function updatePackageVersion(packagePath, versionType) {
- const packageJsonPath = path.join(packagePath, "package.json");
- const packageJson = JSON.parse(fs.readFileSync(packageJsonPath, "utf8"));
-
- // Extract current version
- const currentVersion = packageJson.version;
- console.log(`Current version of ${packageJson.name}: ${currentVersion}`);
-
- // Bump version (simplified logic, you might want to use a library like 'semver' for this)
- const versionParts = currentVersion.split(".").map(Number);
- let newVersion = currentVersion;
- if (versionType === "major") {
- versionParts[0] += 1;
- versionParts[1] = 0;
- versionParts[2] = 0;
- newVersion = versionParts.join(".");
- } else if (versionType === "minor") {
- versionParts[1] += 1;
- versionParts[2] = 0;
- newVersion = versionParts.join(".");
- } else if (versionType === "patch") {
- versionParts[2] += 1;
- newVersion = versionParts.join(".");
- }
-
- packageJson.version = newVersion;
- // Write updated version back to package.json
- fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, 2));
- console.log(`Updated version of ${packageJson.name} to: ${newVersion}`);
-}
-
-// Get the version type from command line arguments
-const versionType = process.argv[2];
-
-// Update versions for each package
-const packages = ["packages/lookup", "packages/agent-starter"];
-
-packages.forEach((packagePath) => {
- updatePackageVersion(packagePath, versionType);
-});
-
-execSync(`changeset publish`, { stdio: "inherit" });
diff --git a/shared/tsconfig/base.json b/shared/tsconfig/base.json
deleted file mode 100644
index 9b6f8e0..0000000
--- a/shared/tsconfig/base.json
+++ /dev/null
@@ -1,21 +0,0 @@
-{
- "$schema": "https://json.schemastore.org/tsconfig",
- "display": "Base",
- "compilerOptions": {
- "allowJs": false,
- "composite": false,
- "declaration": true,
- "declarationMap": true,
- "forceConsistentCasingInFileNames": true,
- "isolatedModules": true,
- "lib": ["ESNext"],
- "module": "ESNext",
- "moduleResolution": "Bundler",
- "resolveJsonModule": true,
- "skipLibCheck": true,
- "sourceMap": true,
- "strict": true,
- "esModuleInterop": true,
- "target": "ESNext"
- }
-}
diff --git a/shared/tsconfig/node.json b/shared/tsconfig/node.json
deleted file mode 100644
index a249ea1..0000000
--- a/shared/tsconfig/node.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
- "$schema": "https://json.schemastore.org/tsconfig",
- "display": "Node",
- "extends": ["./base.json"],
- "compilerOptions": {
- "types": ["node"]
- }
-}
diff --git a/shared/tsconfig/package.json b/shared/tsconfig/package.json
deleted file mode 100644
index 4730ba1..0000000
--- a/shared/tsconfig/package.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
- "name": "@xmtp/tsconfig",
- "private": true,
- "files": [
- "base.json"
- ],
- "scripts": {
- "clean": "rm -rf .turbo && rm -rf node_modules"
- },
- "engines": {
- "node": ">=22"
- }
-}
diff --git a/yarn.lock b/yarn.lock
index be16cd7..ed97a66 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -12,17 +12,7 @@ __metadata:
languageName: node
linkType: hard
-"@ampproject/remapping@npm:^2.3.0":
- version: 2.3.0
- resolution: "@ampproject/remapping@npm:2.3.0"
- dependencies:
- "@jridgewell/gen-mapping": "npm:^0.3.5"
- "@jridgewell/trace-mapping": "npm:^0.3.24"
- checksum: 10/f3451525379c68a73eb0a1e65247fbf28c0cccd126d93af21c75fceff77773d43c0d4a2d51978fb131aff25b5f2cb41a9fe48cc296e61ae65e679c4f6918b0ab
- languageName: node
- linkType: hard
-
-"@babel/code-frame@npm:^7.24.2, @babel/code-frame@npm:^7.25.9, @babel/code-frame@npm:^7.26.2":
+"@babel/code-frame@npm:^7.25.9, @babel/code-frame@npm:^7.26.2":
version: 7.26.2
resolution: "@babel/code-frame@npm:7.26.2"
dependencies:
@@ -60,7 +50,7 @@ __metadata:
languageName: node
linkType: hard
-"@babel/parser@npm:^7.25.4, @babel/parser@npm:^7.25.9, @babel/parser@npm:^7.26.2, @babel/parser@npm:^7.26.5":
+"@babel/parser@npm:^7.25.9, @babel/parser@npm:^7.26.2, @babel/parser@npm:^7.26.5":
version: 7.26.5
resolution: "@babel/parser@npm:7.26.5"
dependencies:
@@ -106,7 +96,7 @@ __metadata:
languageName: node
linkType: hard
-"@babel/types@npm:^7.25.4, @babel/types@npm:^7.25.9, @babel/types@npm:^7.26.0, @babel/types@npm:^7.26.5":
+"@babel/types@npm:^7.25.9, @babel/types@npm:^7.26.0, @babel/types@npm:^7.26.5":
version: 7.26.5
resolution: "@babel/types@npm:7.26.5"
dependencies:
@@ -116,13 +106,6 @@ __metadata:
languageName: node
linkType: hard
-"@bcoe/v8-coverage@npm:^0.2.3":
- version: 0.2.3
- resolution: "@bcoe/v8-coverage@npm:0.2.3"
- checksum: 10/1a1f0e356a3bb30b5f1ced6f79c413e6ebacf130421f15fac5fcd8be5ddf98aedb4404d7f5624e3285b700e041f9ef938321f3ca4d359d5b716f96afa120d88d
- languageName: node
- linkType: hard
-
"@changesets/apply-release-plan@npm:^7.0.7":
version: 7.0.7
resolution: "@changesets/apply-release-plan@npm:7.0.7"
@@ -378,176 +361,6 @@ __metadata:
languageName: node
linkType: hard
-"@cspotcode/source-map-support@npm:^0.8.0":
- version: 0.8.1
- resolution: "@cspotcode/source-map-support@npm:0.8.1"
- dependencies:
- "@jridgewell/trace-mapping": "npm:0.3.9"
- checksum: 10/b6e38a1712fab242c86a241c229cf562195aad985d0564bd352ac404be583029e89e93028ffd2c251d2c407ecac5fb0cbdca94a2d5c10f29ac806ede0508b3ff
- languageName: node
- linkType: hard
-
-"@esbuild/aix-ppc64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/aix-ppc64@npm:0.21.5"
- conditions: os=aix & cpu=ppc64
- languageName: node
- linkType: hard
-
-"@esbuild/android-arm64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/android-arm64@npm:0.21.5"
- conditions: os=android & cpu=arm64
- languageName: node
- linkType: hard
-
-"@esbuild/android-arm@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/android-arm@npm:0.21.5"
- conditions: os=android & cpu=arm
- languageName: node
- linkType: hard
-
-"@esbuild/android-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/android-x64@npm:0.21.5"
- conditions: os=android & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/darwin-arm64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/darwin-arm64@npm:0.21.5"
- conditions: os=darwin & cpu=arm64
- languageName: node
- linkType: hard
-
-"@esbuild/darwin-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/darwin-x64@npm:0.21.5"
- conditions: os=darwin & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/freebsd-arm64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/freebsd-arm64@npm:0.21.5"
- conditions: os=freebsd & cpu=arm64
- languageName: node
- linkType: hard
-
-"@esbuild/freebsd-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/freebsd-x64@npm:0.21.5"
- conditions: os=freebsd & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/linux-arm64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-arm64@npm:0.21.5"
- conditions: os=linux & cpu=arm64
- languageName: node
- linkType: hard
-
-"@esbuild/linux-arm@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-arm@npm:0.21.5"
- conditions: os=linux & cpu=arm
- languageName: node
- linkType: hard
-
-"@esbuild/linux-ia32@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-ia32@npm:0.21.5"
- conditions: os=linux & cpu=ia32
- languageName: node
- linkType: hard
-
-"@esbuild/linux-loong64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-loong64@npm:0.21.5"
- conditions: os=linux & cpu=loong64
- languageName: node
- linkType: hard
-
-"@esbuild/linux-mips64el@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-mips64el@npm:0.21.5"
- conditions: os=linux & cpu=mips64el
- languageName: node
- linkType: hard
-
-"@esbuild/linux-ppc64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-ppc64@npm:0.21.5"
- conditions: os=linux & cpu=ppc64
- languageName: node
- linkType: hard
-
-"@esbuild/linux-riscv64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-riscv64@npm:0.21.5"
- conditions: os=linux & cpu=riscv64
- languageName: node
- linkType: hard
-
-"@esbuild/linux-s390x@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-s390x@npm:0.21.5"
- conditions: os=linux & cpu=s390x
- languageName: node
- linkType: hard
-
-"@esbuild/linux-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/linux-x64@npm:0.21.5"
- conditions: os=linux & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/netbsd-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/netbsd-x64@npm:0.21.5"
- conditions: os=netbsd & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/openbsd-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/openbsd-x64@npm:0.21.5"
- conditions: os=openbsd & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/sunos-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/sunos-x64@npm:0.21.5"
- conditions: os=sunos & cpu=x64
- languageName: node
- linkType: hard
-
-"@esbuild/win32-arm64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/win32-arm64@npm:0.21.5"
- conditions: os=win32 & cpu=arm64
- languageName: node
- linkType: hard
-
-"@esbuild/win32-ia32@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/win32-ia32@npm:0.21.5"
- conditions: os=win32 & cpu=ia32
- languageName: node
- linkType: hard
-
-"@esbuild/win32-x64@npm:0.21.5":
- version: 0.21.5
- resolution: "@esbuild/win32-x64@npm:0.21.5"
- conditions: os=win32 & cpu=x64
- languageName: node
- linkType: hard
-
"@eslint-community/eslint-utils@npm:^4.2.0, @eslint-community/eslint-utils@npm:^4.4.0":
version: 4.4.1
resolution: "@eslint-community/eslint-utils@npm:4.4.1"
@@ -1033,21 +846,12 @@ __metadata:
dependencies:
"@types/express": "npm:^4.17.21"
"@types/node": "npm:^22.10.9"
- "@xmtp/agent-starter": "workspace:*"
- alchemy-sdk: "npm:^3.5.1"
- express: "npm:^4.21.2"
- typescript: "npm:^5.7.3"
- languageName: unknown
- linkType: soft
-
-"@example/gm-text@workspace:examples/gm-text":
- version: 0.0.0-use.local
- resolution: "@example/gm-text@workspace:examples/gm-text"
- dependencies:
- "@types/express": "npm:^4.17.21"
- "@types/node": "npm:^22.10.9"
+ "@xmtp/content-type-primitives": "npm:^2.0.0"
"@xmtp/content-type-text": "npm:^2.0.0"
"@xmtp/node-sdk": "npm:^0.0.40"
+ alchemy-sdk: "npm:^3.5.1"
+ dotenv: "npm:latest"
+ express: "npm:^4.21.2"
typescript: "npm:^5.7.3"
languageName: unknown
linkType: soft
@@ -1058,32 +862,12 @@ __metadata:
dependencies:
"@types/express": "npm:^4.17.21"
"@types/node": "npm:^22.10.9"
- "@xmtp/agent-starter": "workspace:*"
- typescript: "npm:^5.7.3"
- languageName: unknown
- linkType: soft
-
-"@example/gpt@workspace:examples/gpt":
- version: 0.0.0-use.local
- resolution: "@example/gpt@workspace:examples/gpt"
- dependencies:
- "@types/node": "npm:^22.10.9"
- "@xmtp/agent-starter": "workspace:*"
- openai: "npm:latest"
- typescript: "npm:^5.7.3"
- languageName: unknown
- linkType: soft
-
-"@example/multi-agent-express@workspace:examples/express":
- version: 0.0.0-use.local
- resolution: "@example/multi-agent-express@workspace:examples/express"
- dependencies:
- "@types/express": "npm:^5.0.0"
- "@types/node": "npm:^22.10.9"
- "@xmtp/agent-starter": "workspace:*"
- axios: "npm:^1.7.9"
- express: "npm:^5.0.1"
+ "@xmtp/content-type-primitives": "npm:^2.0.0"
+ "@xmtp/content-type-text": "npm:^2.0.0"
+ "@xmtp/node-sdk": "npm:^0.0.40"
+ dotenv: "npm:latest"
typescript: "npm:^5.7.3"
+ viem: "npm:^2.22.12"
languageName: unknown
linkType: soft
@@ -1174,13 +958,6 @@ __metadata:
languageName: node
linkType: hard
-"@istanbuljs/schema@npm:^0.1.2":
- version: 0.1.3
- resolution: "@istanbuljs/schema@npm:0.1.3"
- checksum: 10/a9b1e49acdf5efc2f5b2359f2df7f90c5c725f2656f16099e8b2cd3a000619ecca9fc48cf693ba789cf0fd989f6e0df6a22bc05574be4223ecdbb7997d04384b
- languageName: node
- linkType: hard
-
"@jridgewell/gen-mapping@npm:^0.3.5":
version: 0.3.8
resolution: "@jridgewell/gen-mapping@npm:0.3.8"
@@ -1192,7 +969,7 @@ __metadata:
languageName: node
linkType: hard
-"@jridgewell/resolve-uri@npm:^3.0.3, @jridgewell/resolve-uri@npm:^3.1.0":
+"@jridgewell/resolve-uri@npm:^3.1.0":
version: 3.1.2
resolution: "@jridgewell/resolve-uri@npm:3.1.2"
checksum: 10/97106439d750a409c22c8bff822d648f6a71f3aa9bc8e5129efdc36343cd3096ddc4eeb1c62d2fe48e9bdd4db37b05d4646a17114ecebd3bbcacfa2de51c3c1d
@@ -1206,24 +983,14 @@ __metadata:
languageName: node
linkType: hard
-"@jridgewell/sourcemap-codec@npm:^1.4.10, @jridgewell/sourcemap-codec@npm:^1.4.14, @jridgewell/sourcemap-codec@npm:^1.5.0":
+"@jridgewell/sourcemap-codec@npm:^1.4.10, @jridgewell/sourcemap-codec@npm:^1.4.14":
version: 1.5.0
resolution: "@jridgewell/sourcemap-codec@npm:1.5.0"
checksum: 10/4ed6123217569a1484419ac53f6ea0d9f3b57e5b57ab30d7c267bdb27792a27eb0e4b08e84a2680aa55cc2f2b411ffd6ec3db01c44fdc6dc43aca4b55f8374fd
languageName: node
linkType: hard
-"@jridgewell/trace-mapping@npm:0.3.9":
- version: 0.3.9
- resolution: "@jridgewell/trace-mapping@npm:0.3.9"
- dependencies:
- "@jridgewell/resolve-uri": "npm:^3.0.3"
- "@jridgewell/sourcemap-codec": "npm:^1.4.10"
- checksum: 10/83deafb8e7a5ca98993c2c6eeaa93c270f6f647a4c0dc00deb38c9cf9b2d3b7bf15e8839540155247ef034a052c0ec4466f980bf0c9e2ab63b97d16c0cedd3ff
- languageName: node
- linkType: hard
-
-"@jridgewell/trace-mapping@npm:^0.3.23, @jridgewell/trace-mapping@npm:^0.3.24, @jridgewell/trace-mapping@npm:^0.3.25":
+"@jridgewell/trace-mapping@npm:^0.3.24, @jridgewell/trace-mapping@npm:^0.3.25":
version: 0.3.25
resolution: "@jridgewell/trace-mapping@npm:0.3.25"
dependencies:
@@ -1298,13 +1065,6 @@ __metadata:
languageName: node
linkType: hard
-"@noble/secp256k1@npm:^1.7.1":
- version: 1.7.1
- resolution: "@noble/secp256k1@npm:1.7.1"
- checksum: 10/214d4756c20ed20809d948d0cc161e95664198cb127266faf747fd7deffe5444901f05fe9f833787738f2c6e60b09e544c2f737f42f73b3699e3999ba15b1b63
- languageName: node
- linkType: hard
-
"@nodelib/fs.scandir@npm:2.1.5":
version: 2.1.5
resolution: "@nodelib/fs.scandir@npm:2.1.5"
@@ -1441,307 +1201,6 @@ __metadata:
languageName: node
linkType: hard
-"@rollup/plugin-typescript@npm:^12.1.2":
- version: 12.1.2
- resolution: "@rollup/plugin-typescript@npm:12.1.2"
- dependencies:
- "@rollup/pluginutils": "npm:^5.1.0"
- resolve: "npm:^1.22.1"
- peerDependencies:
- rollup: ^2.14.0||^3.0.0||^4.0.0
- tslib: "*"
- typescript: ">=3.7.0"
- peerDependenciesMeta:
- rollup:
- optional: true
- tslib:
- optional: true
- checksum: 10/1fd201b9430125686bcdb3eecfa4f8d9d5005a9d454f2d733c0fdc0f58e28f772209ecbfe4f5d1a42a2a7ac25746a5f37d15897d695326eaea0fe3a30857375d
- languageName: node
- linkType: hard
-
-"@rollup/pluginutils@npm:^5.1.0":
- version: 5.1.4
- resolution: "@rollup/pluginutils@npm:5.1.4"
- dependencies:
- "@types/estree": "npm:^1.0.0"
- estree-walker: "npm:^2.0.2"
- picomatch: "npm:^4.0.2"
- peerDependencies:
- rollup: ^1.20.0||^2.0.0||^3.0.0||^4.0.0
- peerDependenciesMeta:
- rollup:
- optional: true
- checksum: 10/598f628988af25541a9a6c6ef154aaf350f8be3238884e500cc0e47138684071abe490563c953f9bda9e8b113ecb1f99c11abfb9dbaf4f72cdd62e257a673fa3
- languageName: node
- linkType: hard
-
-"@rollup/rollup-android-arm-eabi@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-android-arm-eabi@npm:4.30.1"
- conditions: os=android & cpu=arm
- languageName: node
- linkType: hard
-
-"@rollup/rollup-android-arm-eabi@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-android-arm-eabi@npm:4.31.0"
- conditions: os=android & cpu=arm
- languageName: node
- linkType: hard
-
-"@rollup/rollup-android-arm64@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-android-arm64@npm:4.30.1"
- conditions: os=android & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-android-arm64@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-android-arm64@npm:4.31.0"
- conditions: os=android & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-darwin-arm64@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-darwin-arm64@npm:4.30.1"
- conditions: os=darwin & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-darwin-arm64@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-darwin-arm64@npm:4.31.0"
- conditions: os=darwin & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-darwin-x64@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-darwin-x64@npm:4.30.1"
- conditions: os=darwin & cpu=x64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-darwin-x64@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-darwin-x64@npm:4.31.0"
- conditions: os=darwin & cpu=x64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-freebsd-arm64@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-freebsd-arm64@npm:4.30.1"
- conditions: os=freebsd & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-freebsd-arm64@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-freebsd-arm64@npm:4.31.0"
- conditions: os=freebsd & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-freebsd-x64@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-freebsd-x64@npm:4.30.1"
- conditions: os=freebsd & cpu=x64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-freebsd-x64@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-freebsd-x64@npm:4.31.0"
- conditions: os=freebsd & cpu=x64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm-gnueabihf@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-arm-gnueabihf@npm:4.30.1"
- conditions: os=linux & cpu=arm & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm-gnueabihf@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-arm-gnueabihf@npm:4.31.0"
- conditions: os=linux & cpu=arm & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm-musleabihf@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-arm-musleabihf@npm:4.30.1"
- conditions: os=linux & cpu=arm & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm-musleabihf@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-arm-musleabihf@npm:4.31.0"
- conditions: os=linux & cpu=arm & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm64-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-arm64-gnu@npm:4.30.1"
- conditions: os=linux & cpu=arm64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm64-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-arm64-gnu@npm:4.31.0"
- conditions: os=linux & cpu=arm64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm64-musl@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-arm64-musl@npm:4.30.1"
- conditions: os=linux & cpu=arm64 & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-arm64-musl@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-arm64-musl@npm:4.31.0"
- conditions: os=linux & cpu=arm64 & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-loongarch64-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-loongarch64-gnu@npm:4.30.1"
- conditions: os=linux & cpu=loong64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-loongarch64-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-loongarch64-gnu@npm:4.31.0"
- conditions: os=linux & cpu=loong64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-powerpc64le-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-powerpc64le-gnu@npm:4.30.1"
- conditions: os=linux & cpu=ppc64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-powerpc64le-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-powerpc64le-gnu@npm:4.31.0"
- conditions: os=linux & cpu=ppc64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-riscv64-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-riscv64-gnu@npm:4.30.1"
- conditions: os=linux & cpu=riscv64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-riscv64-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-riscv64-gnu@npm:4.31.0"
- conditions: os=linux & cpu=riscv64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-s390x-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-s390x-gnu@npm:4.30.1"
- conditions: os=linux & cpu=s390x & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-s390x-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-s390x-gnu@npm:4.31.0"
- conditions: os=linux & cpu=s390x & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-x64-gnu@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-x64-gnu@npm:4.30.1"
- conditions: os=linux & cpu=x64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-x64-gnu@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-x64-gnu@npm:4.31.0"
- conditions: os=linux & cpu=x64 & libc=glibc
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-x64-musl@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-linux-x64-musl@npm:4.30.1"
- conditions: os=linux & cpu=x64 & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-linux-x64-musl@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-linux-x64-musl@npm:4.31.0"
- conditions: os=linux & cpu=x64 & libc=musl
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-arm64-msvc@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-win32-arm64-msvc@npm:4.30.1"
- conditions: os=win32 & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-arm64-msvc@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-win32-arm64-msvc@npm:4.31.0"
- conditions: os=win32 & cpu=arm64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-ia32-msvc@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-win32-ia32-msvc@npm:4.30.1"
- conditions: os=win32 & cpu=ia32
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-ia32-msvc@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-win32-ia32-msvc@npm:4.31.0"
- conditions: os=win32 & cpu=ia32
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-x64-msvc@npm:4.30.1":
- version: 4.30.1
- resolution: "@rollup/rollup-win32-x64-msvc@npm:4.30.1"
- conditions: os=win32 & cpu=x64
- languageName: node
- linkType: hard
-
-"@rollup/rollup-win32-x64-msvc@npm:4.31.0":
- version: 4.31.0
- resolution: "@rollup/rollup-win32-x64-msvc@npm:4.31.0"
- conditions: os=win32 & cpu=x64
- languageName: node
- linkType: hard
-
"@scure/base@npm:~1.2.1":
version: 1.2.1
resolution: "@scure/base@npm:1.2.1"
@@ -1791,34 +1250,6 @@ __metadata:
languageName: node
linkType: hard
-"@tsconfig/node10@npm:^1.0.7":
- version: 1.0.11
- resolution: "@tsconfig/node10@npm:1.0.11"
- checksum: 10/51fe47d55fe1b80ec35e6e5ed30a13665fd3a531945350aa74a14a1e82875fb60b350c2f2a5e72a64831b1b6bc02acb6760c30b3738b54954ec2dea82db7a267
- languageName: node
- linkType: hard
-
-"@tsconfig/node12@npm:^1.0.7":
- version: 1.0.11
- resolution: "@tsconfig/node12@npm:1.0.11"
- checksum: 10/5ce29a41b13e7897a58b8e2df11269c5395999e588b9a467386f99d1d26f6c77d1af2719e407621412520ea30517d718d5192a32403b8dfcc163bf33e40a338a
- languageName: node
- linkType: hard
-
-"@tsconfig/node14@npm:^1.0.0":
- version: 1.0.3
- resolution: "@tsconfig/node14@npm:1.0.3"
- checksum: 10/19275fe80c4c8d0ad0abed6a96dbf00642e88b220b090418609c4376e1cef81bf16237bf170ad1b341452feddb8115d8dd2e5acdfdea1b27422071163dc9ba9d
- languageName: node
- linkType: hard
-
-"@tsconfig/node16@npm:^1.0.2":
- version: 1.0.4
- resolution: "@tsconfig/node16@npm:1.0.4"
- checksum: 10/202319785901f942a6e1e476b872d421baec20cf09f4b266a1854060efbf78cde16a4d256e8bc949d31e6cd9a90f1e8ef8fb06af96a65e98338a2b6b0de0a0ff
- languageName: node
- linkType: hard
-
"@types/body-parser@npm:*":
version: 1.19.5
resolution: "@types/body-parser@npm:1.19.5"
@@ -1857,7 +1288,7 @@ __metadata:
languageName: node
linkType: hard
-"@types/estree@npm:*, @types/estree@npm:1.0.6, @types/estree@npm:^1.0.0, @types/estree@npm:^1.0.6":
+"@types/estree@npm:*, @types/estree@npm:^1.0.6":
version: 1.0.6
resolution: "@types/estree@npm:1.0.6"
checksum: 10/9d35d475095199c23e05b431bcdd1f6fec7380612aed068b14b2a08aa70494de8a9026765a5a91b1073f636fb0368f6d8973f518a31391d519e20c59388ed88d
@@ -1876,18 +1307,6 @@ __metadata:
languageName: node
linkType: hard
-"@types/express-serve-static-core@npm:^5.0.0":
- version: 5.0.5
- resolution: "@types/express-serve-static-core@npm:5.0.5"
- dependencies:
- "@types/node": "npm:*"
- "@types/qs": "npm:*"
- "@types/range-parser": "npm:*"
- "@types/send": "npm:*"
- checksum: 10/186b275cd9110c7153ffd6f2c52e0e4242b0f2769873ea034c75885a96346b42535875012732e0866ccdfc7d5132bb32a725a297182e929427cb95aba62f9801
- languageName: node
- linkType: hard
-
"@types/express@npm:^4.17.21":
version: 4.17.21
resolution: "@types/express@npm:4.17.21"
@@ -1900,18 +1319,6 @@ __metadata:
languageName: node
linkType: hard
-"@types/express@npm:^5.0.0":
- version: 5.0.0
- resolution: "@types/express@npm:5.0.0"
- dependencies:
- "@types/body-parser": "npm:*"
- "@types/express-serve-static-core": "npm:^5.0.0"
- "@types/qs": "npm:*"
- "@types/serve-static": "npm:*"
- checksum: 10/45b199ab669caa33e6badafeebf078e277ea95042309d325a04b1ec498f33d33fd5a4ae9c8e358342367b178fe454d7323c5dfc8002bf27070b210a2c6cc11f0
- languageName: node
- linkType: hard
-
"@types/http-errors@npm:*":
version: 2.0.4
resolution: "@types/http-errors@npm:2.0.4"
@@ -1933,16 +1340,6 @@ __metadata:
languageName: node
linkType: hard
-"@types/node-fetch@npm:^2.6.4":
- version: 2.6.12
- resolution: "@types/node-fetch@npm:2.6.12"
- dependencies:
- "@types/node": "npm:*"
- form-data: "npm:^4.0.0"
- checksum: 10/8107c479da83a3114fcbfa882eba95ee5175cccb5e4dd53f737a96f2559ae6262f662176b8457c1656de09ec393cc7b20a266c077e4bfb21e929976e1cf4d0f9
- languageName: node
- linkType: hard
-
"@types/node@npm:*, @types/node@npm:>=13.7.0":
version: 22.10.7
resolution: "@types/node@npm:22.10.7"
@@ -1959,15 +1356,6 @@ __metadata:
languageName: node
linkType: hard
-"@types/node@npm:^18.11.18":
- version: 18.19.71
- resolution: "@types/node@npm:18.19.71"
- dependencies:
- undici-types: "npm:~5.26.4"
- checksum: 10/1984ad8850d66cce66469f1b9bf0d0e60574061c5ce7d0088ba51a13b7b56428f7b16de7b154d3a5ca91d52a41c3c6bc564338a8ea4efed93eee0b465230ef3f
- languageName: node
- linkType: hard
-
"@types/node@npm:^22.10.9":
version: 22.10.9
resolution: "@types/node@npm:22.10.9"
@@ -2124,140 +1512,6 @@ __metadata:
languageName: node
linkType: hard
-"@vitest/coverage-v8@npm:^2.1.8":
- version: 2.1.8
- resolution: "@vitest/coverage-v8@npm:2.1.8"
- dependencies:
- "@ampproject/remapping": "npm:^2.3.0"
- "@bcoe/v8-coverage": "npm:^0.2.3"
- debug: "npm:^4.3.7"
- istanbul-lib-coverage: "npm:^3.2.2"
- istanbul-lib-report: "npm:^3.0.1"
- istanbul-lib-source-maps: "npm:^5.0.6"
- istanbul-reports: "npm:^3.1.7"
- magic-string: "npm:^0.30.12"
- magicast: "npm:^0.3.5"
- std-env: "npm:^3.8.0"
- test-exclude: "npm:^7.0.1"
- tinyrainbow: "npm:^1.2.0"
- peerDependencies:
- "@vitest/browser": 2.1.8
- vitest: 2.1.8
- peerDependenciesMeta:
- "@vitest/browser":
- optional: true
- checksum: 10/2e1e7fe2a20c1eec738f6d84d890bed4aa5138094943dd1229962c2c42428a1a517c8a4ad4fb52637d7494f044440e061e9bc5982a83df95223db185d5a28f4d
- languageName: node
- linkType: hard
-
-"@vitest/expect@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/expect@npm:2.1.8"
- dependencies:
- "@vitest/spy": "npm:2.1.8"
- "@vitest/utils": "npm:2.1.8"
- chai: "npm:^5.1.2"
- tinyrainbow: "npm:^1.2.0"
- checksum: 10/3594149dd67dfac884a90f8b6a35687cdddd2f5f764562819bf7b66ae2eacfd4aa5e8914155deb4082fbe5a3792dced2fd7e59a948ffafe67acba4d2229dfe5f
- languageName: node
- linkType: hard
-
-"@vitest/mocker@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/mocker@npm:2.1.8"
- dependencies:
- "@vitest/spy": "npm:2.1.8"
- estree-walker: "npm:^3.0.3"
- magic-string: "npm:^0.30.12"
- peerDependencies:
- msw: ^2.4.9
- vite: ^5.0.0
- peerDependenciesMeta:
- msw:
- optional: true
- vite:
- optional: true
- checksum: 10/f04060f42102caa4cca72059e63c1ecae8b8e091aaa61a2d4a914b129fc711ada4ad117eb0184e49e363757784ed1117fdbf9f4a81a45fe575fd92769740a970
- languageName: node
- linkType: hard
-
-"@vitest/pretty-format@npm:2.1.8, @vitest/pretty-format@npm:^2.1.8":
- version: 2.1.8
- resolution: "@vitest/pretty-format@npm:2.1.8"
- dependencies:
- tinyrainbow: "npm:^1.2.0"
- checksum: 10/f0f60c007424194887ad398d202867d58d850154de327993925041e2972357544eea95a22e0bb3a62a470b006ff8de5f691d2078708dcd7f625e24f8a06b26e7
- languageName: node
- linkType: hard
-
-"@vitest/runner@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/runner@npm:2.1.8"
- dependencies:
- "@vitest/utils": "npm:2.1.8"
- pathe: "npm:^1.1.2"
- checksum: 10/27f265a3ab1e20297b948b06232bfa4dc9fda44d1f9bb6206baa9e6fa643b71143ebfd2d1771570296b7ee74a12d684e529a830f545ad61235cefb454e94a8e9
- languageName: node
- linkType: hard
-
-"@vitest/snapshot@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/snapshot@npm:2.1.8"
- dependencies:
- "@vitest/pretty-format": "npm:2.1.8"
- magic-string: "npm:^0.30.12"
- pathe: "npm:^1.1.2"
- checksum: 10/71edf4f574d317579c605ed0a7ecab7ee96fddcebc777bd130774a770ddc692c538f9f5b3dfde89af83ecb36f7338fe880943c83cede58f55e3556768a1a0749
- languageName: node
- linkType: hard
-
-"@vitest/spy@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/spy@npm:2.1.8"
- dependencies:
- tinyspy: "npm:^3.0.2"
- checksum: 10/9a1cb9cf6b23c122681469b5890d91ca26fc8d74953b3d46d293a5d2a4944490106891f6a178cd732ab7a8abbda339f43681c81d1594565ecc3bf3e7f9b7735f
- languageName: node
- linkType: hard
-
-"@vitest/utils@npm:2.1.8":
- version: 2.1.8
- resolution: "@vitest/utils@npm:2.1.8"
- dependencies:
- "@vitest/pretty-format": "npm:2.1.8"
- loupe: "npm:^3.1.2"
- tinyrainbow: "npm:^1.2.0"
- checksum: 10/be1f4254347199fb5c1d9de8e4537dad4af3f434c033e7cd023165bd4b7e9de16fa0f86664256ab331120585df95ed6be8eea58b209b510651b49f6482051733
- languageName: node
- linkType: hard
-
-"@xmtp/agent-starter@workspace:*, @xmtp/agent-starter@workspace:packages/agent-starter":
- version: 0.0.0-use.local
- resolution: "@xmtp/agent-starter@workspace:packages/agent-starter"
- dependencies:
- "@changesets/changelog-git": "npm:^0.2.0"
- "@changesets/cli": "npm:^2.27.11"
- "@rollup/plugin-typescript": "npm:^12.1.2"
- "@types/node": "npm:^22.10.9"
- "@vitest/coverage-v8": "npm:^2.1.8"
- "@xmtp/content-type-primitives": "npm:^2.0.0"
- "@xmtp/content-type-reaction": "npm:^2.0.0"
- "@xmtp/content-type-read-receipt": "npm:^2.0.0"
- "@xmtp/content-type-remote-attachment": "npm:^2.0.0"
- "@xmtp/content-type-reply": "npm:^2.0.0"
- "@xmtp/content-type-text": "npm:^2.0.0"
- "@xmtp/node-sdk": "npm:^0.0.40"
- dotenv: "npm:^16.4.7"
- node-fetch: "npm:^3.3.2"
- rollup: "npm:^4.31.0"
- rollup-plugin-dts: "npm:^6.1.1"
- ts-node: "npm:^10.9.2"
- typescript: "npm:^5.7.3"
- viem: "npm:^2.22.12"
- vitest: "npm:^2.1.8"
- languageName: unknown
- linkType: soft
-
"@xmtp/content-type-group-updated@npm:^2.0.0":
version: 2.0.0
resolution: "@xmtp/content-type-group-updated@npm:2.0.0"
@@ -2277,45 +1531,6 @@ __metadata:
languageName: node
linkType: hard
-"@xmtp/content-type-reaction@npm:^2.0.0":
- version: 2.0.0
- resolution: "@xmtp/content-type-reaction@npm:2.0.0"
- dependencies:
- "@xmtp/content-type-primitives": "npm:^2.0.0"
- checksum: 10/1659fecafd5993c95ca81528b426e6125a3955cceeeea9c2e84ade956e2b8ca266d08c99283a24f43a7214602fdee4ba4741bec7e98737063afd43d2ef2bc0e7
- languageName: node
- linkType: hard
-
-"@xmtp/content-type-read-receipt@npm:^2.0.0":
- version: 2.0.0
- resolution: "@xmtp/content-type-read-receipt@npm:2.0.0"
- dependencies:
- "@xmtp/content-type-primitives": "npm:^2.0.0"
- checksum: 10/04024586a0bcccd92e5bf1281c02d1d9d2c6c6a6f82c65531da15b7eea2e941b9d430894ae6dc21d34f7f89874f10ecf7d7fdb3da8ee2134fa18c8fae2e5b2f7
- languageName: node
- linkType: hard
-
-"@xmtp/content-type-remote-attachment@npm:^2.0.0":
- version: 2.0.0
- resolution: "@xmtp/content-type-remote-attachment@npm:2.0.0"
- dependencies:
- "@noble/secp256k1": "npm:^1.7.1"
- "@xmtp/content-type-primitives": "npm:^2.0.0"
- "@xmtp/proto": "npm:^3.72.0"
- checksum: 10/b5e20a277a943c12c74616ec384cb96c40bce7963e6409f968b4be1b3b7cd8c72ebbea4a8aed9fa11287b3a6905f5f22477b82fccbd167e71e5fa0ad2f4d233f
- languageName: node
- linkType: hard
-
-"@xmtp/content-type-reply@npm:^2.0.0":
- version: 2.0.0
- resolution: "@xmtp/content-type-reply@npm:2.0.0"
- dependencies:
- "@xmtp/content-type-primitives": "npm:^2.0.0"
- "@xmtp/proto": "npm:^3.72.0"
- checksum: 10/e173a3fc70605055c5bcd81299f2bb548be0f5a48d2eb0d36d448c0e6828d0a7d2cfe7a29d02765556df4a4240acd285ccae531a6ceabffe92764297f763aa5b
- languageName: node
- linkType: hard
-
"@xmtp/content-type-text@npm:^2.0.0":
version: 2.0.0
resolution: "@xmtp/content-type-text@npm:2.0.0"
@@ -2325,25 +1540,6 @@ __metadata:
languageName: node
linkType: hard
-"@xmtp/lookup@workspace:packages/lookup":
- version: 0.0.0-use.local
- resolution: "@xmtp/lookup@workspace:packages/lookup"
- dependencies:
- "@changesets/changelog-git": "npm:^0.2.0"
- "@changesets/cli": "npm:^2.27.11"
- "@rollup/plugin-typescript": "npm:^12.1.2"
- "@types/node": "npm:^22.10.9"
- "@vitest/coverage-v8": "npm:^2.1.8"
- dotenv: "npm:^16.4.7"
- rollup: "npm:^4.31.0"
- rollup-plugin-dts: "npm:^6.1.1"
- ts-node: "npm:^10.9.2"
- typescript: "npm:^5.7.3"
- viem: "npm:^2.22.12"
- vitest: "npm:^2.1.8"
- languageName: unknown
- linkType: soft
-
"@xmtp/node-bindings@npm:^0.0.34":
version: 0.0.34
resolution: "@xmtp/node-bindings@npm:0.0.34"
@@ -2376,12 +1572,6 @@ __metadata:
languageName: node
linkType: hard
-"@xmtp/tsconfig@workspace:shared/tsconfig":
- version: 0.0.0-use.local
- resolution: "@xmtp/tsconfig@workspace:shared/tsconfig"
- languageName: unknown
- linkType: soft
-
"abbrev@npm:^2.0.0":
version: 2.0.0
resolution: "abbrev@npm:2.0.0"
@@ -2419,25 +1609,6 @@ __metadata:
languageName: node
linkType: hard
-"abort-controller@npm:^3.0.0":
- version: 3.0.0
- resolution: "abort-controller@npm:3.0.0"
- dependencies:
- event-target-shim: "npm:^5.0.0"
- checksum: 10/ed84af329f1828327798229578b4fe03a4dd2596ba304083ebd2252666bdc1d7647d66d0b18704477e1f8aa315f055944aa6e859afebd341f12d0a53c37b4b40
- languageName: node
- linkType: hard
-
-"accepts@npm:^2.0.0":
- version: 2.0.0
- resolution: "accepts@npm:2.0.0"
- dependencies:
- mime-types: "npm:^3.0.0"
- negotiator: "npm:^1.0.0"
- checksum: 10/ea1343992b40b2bfb3a3113fa9c3c2f918ba0f9197ae565c48d3f84d44b174f6b1d5cd9989decd7655963eb03a272abc36968cc439c2907f999bd5ef8653d5a7
- languageName: node
- linkType: hard
-
"accepts@npm:~1.3.8":
version: 1.3.8
resolution: "accepts@npm:1.3.8"
@@ -2457,16 +1628,7 @@ __metadata:
languageName: node
linkType: hard
-"acorn-walk@npm:^8.1.1":
- version: 8.3.4
- resolution: "acorn-walk@npm:8.3.4"
- dependencies:
- acorn: "npm:^8.11.0"
- checksum: 10/871386764e1451c637bb8ab9f76f4995d408057e9909be6fb5ad68537ae3375d85e6a6f170b98989f44ab3ff6c74ad120bc2779a3d577606e7a0cd2b4efcaf77
- languageName: node
- linkType: hard
-
-"acorn@npm:^8.11.0, acorn@npm:^8.14.0, acorn@npm:^8.4.1":
+"acorn@npm:^8.14.0":
version: 8.14.0
resolution: "acorn@npm:8.14.0"
bin:
@@ -2489,15 +1651,6 @@ __metadata:
languageName: node
linkType: hard
-"agentkeepalive@npm:^4.2.1":
- version: 4.6.0
- resolution: "agentkeepalive@npm:4.6.0"
- dependencies:
- humanize-ms: "npm:^1.2.1"
- checksum: 10/80c546bd88dd183376d6a29e5598f117f380b1d567feb1de184241d6ece721e2bdd38f179a1674276de01780ccae229a38c60a77317e2f5ad2f1818856445bd7
- languageName: node
- linkType: hard
-
"ajv@npm:^6.12.4":
version: 6.12.6
resolution: "ajv@npm:6.12.6"
@@ -2569,13 +1722,6 @@ __metadata:
languageName: node
linkType: hard
-"arg@npm:^4.1.0":
- version: 4.1.3
- resolution: "arg@npm:4.1.3"
- checksum: 10/969b491082f20cad166649fa4d2073ea9e974a4e5ac36247ca23d2e5a8b3cb12d60e9ff70a8acfe26d76566c71fd351ee5e6a9a6595157eb36f92b1fd64e1599
- languageName: node
- linkType: hard
-
"argparse@npm:^1.0.7":
version: 1.0.10
resolution: "argparse@npm:1.0.10"
@@ -2599,13 +1745,6 @@ __metadata:
languageName: node
linkType: hard
-"array-flatten@npm:3.0.0":
- version: 3.0.0
- resolution: "array-flatten@npm:3.0.0"
- checksum: 10/e1b11b51c0e0f0b1315ddab1d8e1760bbc76b4387290f73232d71195aa93e3f55179c434cac48f2c1446c614758b073b059bb0b2b545b8f0ec4af0cae9dc4371
- languageName: node
- linkType: hard
-
"array-union@npm:^2.1.0":
version: 2.1.0
resolution: "array-union@npm:2.1.0"
@@ -2613,13 +1752,6 @@ __metadata:
languageName: node
linkType: hard
-"assertion-error@npm:^2.0.1":
- version: 2.0.1
- resolution: "assertion-error@npm:2.0.1"
- checksum: 10/a0789dd882211b87116e81e2648ccb7f60340b34f19877dd020b39ebb4714e475eb943e14ba3e22201c221ef6645b7bfe10297e76b6ac95b48a9898c1211ce66
- languageName: node
- linkType: hard
-
"asynckit@npm:^0.4.0":
version: 0.4.0
resolution: "asynckit@npm:0.4.0"
@@ -2627,7 +1759,7 @@ __metadata:
languageName: node
linkType: hard
-"axios@npm:^1.7.4, axios@npm:^1.7.9":
+"axios@npm:^1.7.4":
version: 1.7.9
resolution: "axios@npm:1.7.9"
dependencies:
@@ -2695,24 +1827,6 @@ __metadata:
languageName: node
linkType: hard
-"body-parser@npm:^2.0.1":
- version: 2.0.2
- resolution: "body-parser@npm:2.0.2"
- dependencies:
- bytes: "npm:3.1.2"
- content-type: "npm:~1.0.5"
- debug: "npm:3.1.0"
- destroy: "npm:1.2.0"
- http-errors: "npm:2.0.0"
- iconv-lite: "npm:0.5.2"
- on-finished: "npm:2.4.1"
- qs: "npm:6.13.0"
- raw-body: "npm:^3.0.0"
- type-is: "npm:~1.6.18"
- checksum: 10/3b381210daa9bbe90b6dc21fa9d4580b6842f7620437ec89c2522461150ceea11701ed6d7b23876d61056e9d64ee66a29ce00c0ef252a810edf4d7d45aa94455
- languageName: node
- linkType: hard
-
"brace-expansion@npm:^1.1.7":
version: 1.1.11
resolution: "brace-expansion@npm:1.1.11"
@@ -2765,13 +1879,6 @@ __metadata:
languageName: node
linkType: hard
-"cac@npm:^6.7.14":
- version: 6.7.14
- resolution: "cac@npm:6.7.14"
- checksum: 10/002769a0fbfc51c062acd2a59df465a2a947916b02ac50b56c69ec6c018ee99ac3e7f4dd7366334ea847f1ecacf4defaa61bcd2ac283db50156ce1f1d8c8ad42
- languageName: node
- linkType: hard
-
"cacache@npm:^19.0.1":
version: 19.0.1
resolution: "cacache@npm:19.0.1"
@@ -2819,19 +1926,6 @@ __metadata:
languageName: node
linkType: hard
-"chai@npm:^5.1.2":
- version: 5.1.2
- resolution: "chai@npm:5.1.2"
- dependencies:
- assertion-error: "npm:^2.0.1"
- check-error: "npm:^2.1.1"
- deep-eql: "npm:^5.0.1"
- loupe: "npm:^3.1.0"
- pathval: "npm:^2.0.0"
- checksum: 10/e8c2bbc83cb5a2f87130d93056d4cfbbe04106e12aa798b504816dbe3fa538a9f68541b472e56cbf0f54558b501d7e31867d74b8218abcd5a8cc8ba536fba46c
- languageName: node
- linkType: hard
-
"chalk@npm:^4.0.0":
version: 4.1.2
resolution: "chalk@npm:4.1.2"
@@ -2849,13 +1943,6 @@ __metadata:
languageName: node
linkType: hard
-"check-error@npm:^2.1.1":
- version: 2.1.1
- resolution: "check-error@npm:2.1.1"
- checksum: 10/d785ed17b1d4a4796b6e75c765a9a290098cf52ff9728ce0756e8ffd4293d2e419dd30c67200aee34202463b474306913f2fcfaf1890641026d9fc6966fea27a
- languageName: node
- linkType: hard
-
"chownr@npm:^3.0.0":
version: 3.0.0
resolution: "chownr@npm:3.0.0"
@@ -2911,16 +1998,7 @@ __metadata:
languageName: node
linkType: hard
-"content-disposition@npm:^1.0.0":
- version: 1.0.0
- resolution: "content-disposition@npm:1.0.0"
- dependencies:
- safe-buffer: "npm:5.2.1"
- checksum: 10/0dcc1a2d7874526b0072df3011b134857b49d97a3bc135bb464a299525d4972de6f5f464fd64da6c4d8406d26a1ffb976f62afaffef7723b1021a44498d10e08
- languageName: node
- linkType: hard
-
-"content-type@npm:^1.0.5, content-type@npm:~1.0.4, content-type@npm:~1.0.5":
+"content-type@npm:~1.0.4, content-type@npm:~1.0.5":
version: 1.0.5
resolution: "content-type@npm:1.0.5"
checksum: 10/585847d98dc7fb8035c02ae2cb76c7a9bd7b25f84c447e5ed55c45c2175e83617c8813871b4ee22f368126af6b2b167df655829007b21aa10302873ea9c62662
@@ -2934,13 +2012,6 @@ __metadata:
languageName: node
linkType: hard
-"cookie-signature@npm:^1.2.1":
- version: 1.2.2
- resolution: "cookie-signature@npm:1.2.2"
- checksum: 10/be44a3c9a56f3771aea3a8bd8ad8f0a8e2679bcb967478267f41a510b4eb5ec55085386ba79c706c4ac21605ca76f4251973444b90283e0eb3eeafe8a92c7708
- languageName: node
- linkType: hard
-
"cookie@npm:0.7.1":
version: 0.7.1
resolution: "cookie@npm:0.7.1"
@@ -2948,13 +2019,6 @@ __metadata:
languageName: node
linkType: hard
-"create-require@npm:^1.1.0":
- version: 1.1.1
- resolution: "create-require@npm:1.1.1"
- checksum: 10/a9a1503d4390d8b59ad86f4607de7870b39cad43d929813599a23714831e81c520bddf61bcdd1f8e30f05fd3a2b71ae8538e946eb2786dc65c2bbc520f692eff
- languageName: node
- linkType: hard
-
"cross-spawn@npm:^7.0.0, cross-spawn@npm:^7.0.5, cross-spawn@npm:^7.0.6":
version: 7.0.6
resolution: "cross-spawn@npm:7.0.6"
@@ -2970,16 +2034,9 @@ __metadata:
version: 1.0.2
resolution: "d@npm:1.0.2"
dependencies:
- es5-ext: "npm:^0.10.64"
- type: "npm:^2.7.2"
- checksum: 10/a3f45ef964622f683f6a1cb9b8dcbd75ce490cd2f4ac9794099db3d8f0e2814d412d84cd3fe522e58feb1f273117bb480f29c5381f6225f0abca82517caaa77a
- languageName: node
- linkType: hard
-
-"data-uri-to-buffer@npm:^4.0.0":
- version: 4.0.1
- resolution: "data-uri-to-buffer@npm:4.0.1"
- checksum: 10/0d0790b67ffec5302f204c2ccca4494f70b4e2d940fea3d36b09f0bb2b8539c2e86690429eb1f1dc4bcc9e4df0644193073e63d9ee48ac9fce79ec1506e4aa4c
+ es5-ext: "npm:^0.10.64"
+ type: "npm:^2.7.2"
+ checksum: 10/a3f45ef964622f683f6a1cb9b8dcbd75ce490cd2f4ac9794099db3d8f0e2814d412d84cd3fe522e58feb1f273117bb480f29c5381f6225f0abca82517caaa77a
languageName: node
linkType: hard
@@ -2992,16 +2049,7 @@ __metadata:
languageName: node
linkType: hard
-"debug@npm:3.1.0":
- version: 3.1.0
- resolution: "debug@npm:3.1.0"
- dependencies:
- ms: "npm:2.0.0"
- checksum: 10/f5fd4b1390dd3b03a78aa30133a4b4db62acc3e6cd86af49f114bf7f7bd57c41a5c5c2eced2ad2c8190d70c60309f2dd5782feeaa0704dbaa5697890e3c5ad07
- languageName: node
- linkType: hard
-
-"debug@npm:4, debug@npm:^4.1.1, debug@npm:^4.3.1, debug@npm:^4.3.2, debug@npm:^4.3.4, debug@npm:^4.3.5, debug@npm:^4.3.7":
+"debug@npm:4, debug@npm:^4.3.1, debug@npm:^4.3.2, debug@npm:^4.3.4":
version: 4.4.0
resolution: "debug@npm:4.4.0"
dependencies:
@@ -3013,25 +2061,6 @@ __metadata:
languageName: node
linkType: hard
-"debug@npm:4.3.6":
- version: 4.3.6
- resolution: "debug@npm:4.3.6"
- dependencies:
- ms: "npm:2.1.2"
- peerDependenciesMeta:
- supports-color:
- optional: true
- checksum: 10/d3adb9af7d57a9e809a68f404490cf776122acca16e6359a2702c0f462e510e91f9765c07f707b8ab0d91e03bad57328f3256f5082631cefb5393d0394d50fb7
- languageName: node
- linkType: hard
-
-"deep-eql@npm:^5.0.1":
- version: 5.0.2
- resolution: "deep-eql@npm:5.0.2"
- checksum: 10/a529b81e2ef8821621d20a36959a0328873a3e49d393ad11f8efe8559f31239494c2eb889b80342808674c475802ba95b9d6c4c27641b9a029405104c1b59fcf
- languageName: node
- linkType: hard
-
"deep-is@npm:^0.1.3":
version: 0.1.4
resolution: "deep-is@npm:0.1.4"
@@ -3053,7 +2082,7 @@ __metadata:
languageName: node
linkType: hard
-"destroy@npm:1.2.0, destroy@npm:^1.2.0":
+"destroy@npm:1.2.0":
version: 1.2.0
resolution: "destroy@npm:1.2.0"
checksum: 10/0acb300b7478a08b92d810ab229d5afe0d2f4399272045ab22affa0d99dbaf12637659411530a6fcd597a9bdac718fc94373a61a95b4651bbc7b83684a565e38
@@ -3081,13 +2110,6 @@ __metadata:
languageName: node
linkType: hard
-"diff@npm:^4.0.1":
- version: 4.0.2
- resolution: "diff@npm:4.0.2"
- checksum: 10/ec09ec2101934ca5966355a229d77afcad5911c92e2a77413efda5455636c4cf2ce84057e2d7715227a2eeeda04255b849bd3ae3a4dd22eb22e86e76456df069
- languageName: node
- linkType: hard
-
"dir-glob@npm:^3.0.1":
version: 3.0.1
resolution: "dir-glob@npm:3.0.1"
@@ -3097,7 +2119,7 @@ __metadata:
languageName: node
linkType: hard
-"dotenv@npm:^16.4.7":
+"dotenv@npm:latest":
version: 16.4.7
resolution: "dotenv@npm:16.4.7"
checksum: 10/f13bfe97db88f0df4ec505eeffb8925ec51f2d56a3d0b6d916964d8b4af494e6fb1633ba5d09089b552e77ab2a25de58d70259b2c5ed45ec148221835fc99a0c
@@ -3158,13 +2180,6 @@ __metadata:
languageName: node
linkType: hard
-"encodeurl@npm:^2.0.0, encodeurl@npm:~2.0.0":
- version: 2.0.0
- resolution: "encodeurl@npm:2.0.0"
- checksum: 10/abf5cd51b78082cf8af7be6785813c33b6df2068ce5191a40ca8b1afe6a86f9230af9a9ce694a5ce4665955e5c1120871826df9c128a642e09c58d592e2807fe
- languageName: node
- linkType: hard
-
"encodeurl@npm:~1.0.2":
version: 1.0.2
resolution: "encodeurl@npm:1.0.2"
@@ -3172,6 +2187,13 @@ __metadata:
languageName: node
linkType: hard
+"encodeurl@npm:~2.0.0":
+ version: 2.0.0
+ resolution: "encodeurl@npm:2.0.0"
+ checksum: 10/abf5cd51b78082cf8af7be6785813c33b6df2068ce5191a40ca8b1afe6a86f9230af9a9ce694a5ce4665955e5c1120871826df9c128a642e09c58d592e2807fe
+ languageName: node
+ linkType: hard
+
"encoding@npm:^0.1.13":
version: 0.1.13
resolution: "encoding@npm:0.1.13"
@@ -3219,13 +2241,6 @@ __metadata:
languageName: node
linkType: hard
-"es-module-lexer@npm:^1.5.4":
- version: 1.6.0
- resolution: "es-module-lexer@npm:1.6.0"
- checksum: 10/807ee7020cc46a9c970c78cad1f2f3fc139877e5ebad7f66dbfbb124d451189ba1c48c1c632bd5f8ce1b8af2caef3fca340ba044a410fa890d17b080a59024bb
- languageName: node
- linkType: hard
-
"es-object-atoms@npm:^1.0.0":
version: 1.1.1
resolution: "es-object-atoms@npm:1.1.1"
@@ -3268,87 +2283,7 @@ __metadata:
languageName: node
linkType: hard
-"esbuild@npm:^0.21.3":
- version: 0.21.5
- resolution: "esbuild@npm:0.21.5"
- dependencies:
- "@esbuild/aix-ppc64": "npm:0.21.5"
- "@esbuild/android-arm": "npm:0.21.5"
- "@esbuild/android-arm64": "npm:0.21.5"
- "@esbuild/android-x64": "npm:0.21.5"
- "@esbuild/darwin-arm64": "npm:0.21.5"
- "@esbuild/darwin-x64": "npm:0.21.5"
- "@esbuild/freebsd-arm64": "npm:0.21.5"
- "@esbuild/freebsd-x64": "npm:0.21.5"
- "@esbuild/linux-arm": "npm:0.21.5"
- "@esbuild/linux-arm64": "npm:0.21.5"
- "@esbuild/linux-ia32": "npm:0.21.5"
- "@esbuild/linux-loong64": "npm:0.21.5"
- "@esbuild/linux-mips64el": "npm:0.21.5"
- "@esbuild/linux-ppc64": "npm:0.21.5"
- "@esbuild/linux-riscv64": "npm:0.21.5"
- "@esbuild/linux-s390x": "npm:0.21.5"
- "@esbuild/linux-x64": "npm:0.21.5"
- "@esbuild/netbsd-x64": "npm:0.21.5"
- "@esbuild/openbsd-x64": "npm:0.21.5"
- "@esbuild/sunos-x64": "npm:0.21.5"
- "@esbuild/win32-arm64": "npm:0.21.5"
- "@esbuild/win32-ia32": "npm:0.21.5"
- "@esbuild/win32-x64": "npm:0.21.5"
- dependenciesMeta:
- "@esbuild/aix-ppc64":
- optional: true
- "@esbuild/android-arm":
- optional: true
- "@esbuild/android-arm64":
- optional: true
- "@esbuild/android-x64":
- optional: true
- "@esbuild/darwin-arm64":
- optional: true
- "@esbuild/darwin-x64":
- optional: true
- "@esbuild/freebsd-arm64":
- optional: true
- "@esbuild/freebsd-x64":
- optional: true
- "@esbuild/linux-arm":
- optional: true
- "@esbuild/linux-arm64":
- optional: true
- "@esbuild/linux-ia32":
- optional: true
- "@esbuild/linux-loong64":
- optional: true
- "@esbuild/linux-mips64el":
- optional: true
- "@esbuild/linux-ppc64":
- optional: true
- "@esbuild/linux-riscv64":
- optional: true
- "@esbuild/linux-s390x":
- optional: true
- "@esbuild/linux-x64":
- optional: true
- "@esbuild/netbsd-x64":
- optional: true
- "@esbuild/openbsd-x64":
- optional: true
- "@esbuild/sunos-x64":
- optional: true
- "@esbuild/win32-arm64":
- optional: true
- "@esbuild/win32-ia32":
- optional: true
- "@esbuild/win32-x64":
- optional: true
- bin:
- esbuild: bin/esbuild
- checksum: 10/d2ff2ca84d30cce8e871517374d6c2290835380dc7cd413b2d49189ed170d45e407be14de2cb4794cf76f75cf89955c4714726ebd3de7444b3046f5cab23ab6b
- languageName: node
- linkType: hard
-
-"escape-html@npm:^1.0.3, escape-html@npm:~1.0.3":
+"escape-html@npm:~1.0.3":
version: 1.0.3
resolution: "escape-html@npm:1.0.3"
checksum: 10/6213ca9ae00d0ab8bccb6d8d4e0a98e76237b2410302cf7df70aaa6591d509a2a37ce8998008cbecae8fc8ffaadf3fb0229535e6a145f3ce0b211d060decbb24
@@ -3524,22 +2459,6 @@ __metadata:
languageName: node
linkType: hard
-"estree-walker@npm:^2.0.2":
- version: 2.0.2
- resolution: "estree-walker@npm:2.0.2"
- checksum: 10/b02109c5d46bc2ed47de4990eef770f7457b1159a229f0999a09224d2b85ffeed2d7679cffcff90aeb4448e94b0168feb5265b209cdec29aad50a3d6e93d21e2
- languageName: node
- linkType: hard
-
-"estree-walker@npm:^3.0.3":
- version: 3.0.3
- resolution: "estree-walker@npm:3.0.3"
- dependencies:
- "@types/estree": "npm:^1.0.0"
- checksum: 10/a65728d5727b71de172c5df323385755a16c0fdab8234dc756c3854cfee343261ddfbb72a809a5660fac8c75d960bb3e21aa898c2d7e9b19bb298482ca58a3af
- languageName: node
- linkType: hard
-
"esutils@npm:^2.0.2":
version: 2.0.3
resolution: "esutils@npm:2.0.3"
@@ -3547,7 +2466,7 @@ __metadata:
languageName: node
linkType: hard
-"etag@npm:^1.8.1, etag@npm:~1.8.1":
+"etag@npm:~1.8.1":
version: 1.8.1
resolution: "etag@npm:1.8.1"
checksum: 10/571aeb3dbe0f2bbd4e4fadbdb44f325fc75335cd5f6f6b6a091e6a06a9f25ed5392f0863c5442acb0646787446e816f13cbfc6edce5b07658541dff573cab1ff
@@ -3564,13 +2483,6 @@ __metadata:
languageName: node
linkType: hard
-"event-target-shim@npm:^5.0.0":
- version: 5.0.1
- resolution: "event-target-shim@npm:5.0.1"
- checksum: 10/49ff46c3a7facbad3decb31f597063e761785d7fdb3920d4989d7b08c97a61c2f51183e2f3a03130c9088df88d4b489b1b79ab632219901f184f85158508f4c8
- languageName: node
- linkType: hard
-
"eventemitter3@npm:5.0.1":
version: 5.0.1
resolution: "eventemitter3@npm:5.0.1"
@@ -3578,13 +2490,6 @@ __metadata:
languageName: node
linkType: hard
-"expect-type@npm:^1.1.0":
- version: 1.1.0
- resolution: "expect-type@npm:1.1.0"
- checksum: 10/05fca80ddc7d493a89361f783c6b000750fa04a8226bc24701f3b90adb0efc2fb467f2a0baaed4015a02d8b9034ef5bb87521df9dba980f50b1105bd596ef833
- languageName: node
- linkType: hard
-
"exponential-backoff@npm:^3.1.1":
version: 3.1.1
resolution: "exponential-backoff@npm:3.1.1"
@@ -3631,46 +2536,6 @@ __metadata:
languageName: node
linkType: hard
-"express@npm:^5.0.1":
- version: 5.0.1
- resolution: "express@npm:5.0.1"
- dependencies:
- accepts: "npm:^2.0.0"
- body-parser: "npm:^2.0.1"
- content-disposition: "npm:^1.0.0"
- content-type: "npm:~1.0.4"
- cookie: "npm:0.7.1"
- cookie-signature: "npm:^1.2.1"
- debug: "npm:4.3.6"
- depd: "npm:2.0.0"
- encodeurl: "npm:~2.0.0"
- escape-html: "npm:~1.0.3"
- etag: "npm:~1.8.1"
- finalhandler: "npm:^2.0.0"
- fresh: "npm:2.0.0"
- http-errors: "npm:2.0.0"
- merge-descriptors: "npm:^2.0.0"
- methods: "npm:~1.1.2"
- mime-types: "npm:^3.0.0"
- on-finished: "npm:2.4.1"
- once: "npm:1.4.0"
- parseurl: "npm:~1.3.3"
- proxy-addr: "npm:~2.0.7"
- qs: "npm:6.13.0"
- range-parser: "npm:~1.2.1"
- router: "npm:^2.0.0"
- safe-buffer: "npm:5.2.1"
- send: "npm:^1.1.0"
- serve-static: "npm:^2.1.0"
- setprototypeof: "npm:1.2.0"
- statuses: "npm:2.0.1"
- type-is: "npm:^2.0.0"
- utils-merge: "npm:1.0.1"
- vary: "npm:~1.1.2"
- checksum: 10/b6afed019b6c22cb697a658d4dd70966e34f117ad6c83a2d32080c3ec4541443b15be770b4f7ac58bc6c07451a9bd0788121c5c4583c930beea48d8a17ee5c60
- languageName: node
- linkType: hard
-
"ext@npm:^1.7.0":
version: 1.7.0
resolution: "ext@npm:1.7.0"
@@ -3760,16 +2625,6 @@ __metadata:
languageName: node
linkType: hard
-"fetch-blob@npm:^3.1.2, fetch-blob@npm:^3.1.4":
- version: 3.2.0
- resolution: "fetch-blob@npm:3.2.0"
- dependencies:
- node-domexception: "npm:^1.0.0"
- web-streams-polyfill: "npm:^3.0.3"
- checksum: 10/5264ecceb5fdc19eb51d1d0359921f12730941e333019e673e71eb73921146dceabcb0b8f534582be4497312d656508a439ad0f5edeec2b29ab2e10c72a1f86b
- languageName: node
- linkType: hard
-
"file-entry-cache@npm:^8.0.0":
version: 8.0.0
resolution: "file-entry-cache@npm:8.0.0"
@@ -3803,21 +2658,6 @@ __metadata:
languageName: node
linkType: hard
-"finalhandler@npm:^2.0.0":
- version: 2.0.0
- resolution: "finalhandler@npm:2.0.0"
- dependencies:
- debug: "npm:2.6.9"
- encodeurl: "npm:~1.0.2"
- escape-html: "npm:~1.0.3"
- on-finished: "npm:2.4.1"
- parseurl: "npm:~1.3.3"
- statuses: "npm:2.0.1"
- unpipe: "npm:~1.0.0"
- checksum: 10/59b941fd40fcd2e173c858a47cccd493abf9709df54d5e06ef51be910957b6de7518af79110851f721e826dc246ce4456290d8dfe24a58b13488264690f76ed8
- languageName: node
- linkType: hard
-
"find-up@npm:^4.1.0":
version: 4.1.0
resolution: "find-up@npm:4.1.0"
@@ -3875,13 +2715,6 @@ __metadata:
languageName: node
linkType: hard
-"form-data-encoder@npm:1.7.2":
- version: 1.7.2
- resolution: "form-data-encoder@npm:1.7.2"
- checksum: 10/227bf2cea083284411fd67472ccc22f5cb354ca92c00690e11ff5ed942d993c13ac99dea365046306200f8bd71e1a7858d2d99e236de694b806b1f374a4ee341
- languageName: node
- linkType: hard
-
"form-data@npm:^4.0.0":
version: 4.0.1
resolution: "form-data@npm:4.0.1"
@@ -3893,25 +2726,6 @@ __metadata:
languageName: node
linkType: hard
-"formdata-node@npm:^4.3.2":
- version: 4.4.1
- resolution: "formdata-node@npm:4.4.1"
- dependencies:
- node-domexception: "npm:1.0.0"
- web-streams-polyfill: "npm:4.0.0-beta.3"
- checksum: 10/29622f75533107c1bbcbe31fda683e6a55859af7f48ec354a9800591ce7947ed84cd3ef2b2fcb812047a884f17a1bac75ce098ffc17e23402cd373e49c1cd335
- languageName: node
- linkType: hard
-
-"formdata-polyfill@npm:^4.0.10":
- version: 4.0.10
- resolution: "formdata-polyfill@npm:4.0.10"
- dependencies:
- fetch-blob: "npm:^3.1.2"
- checksum: 10/9b5001d2edef3c9449ac3f48bd4f8cc92e7d0f2e7c1a5c8ba555ad4e77535cc5cf621fabe49e97f304067037282dd9093b9160a3cb533e46420b446c4e6bc06f
- languageName: node
- linkType: hard
-
"forwarded@npm:0.2.0":
version: 0.2.0
resolution: "forwarded@npm:0.2.0"
@@ -3919,20 +2733,13 @@ __metadata:
languageName: node
linkType: hard
-"fresh@npm:0.5.2, fresh@npm:^0.5.2":
+"fresh@npm:0.5.2":
version: 0.5.2
resolution: "fresh@npm:0.5.2"
checksum: 10/64c88e489b5d08e2f29664eb3c79c705ff9a8eb15d3e597198ef76546d4ade295897a44abb0abd2700e7ef784b2e3cbf1161e4fbf16f59129193fd1030d16da1
languageName: node
linkType: hard
-"fresh@npm:2.0.0":
- version: 2.0.0
- resolution: "fresh@npm:2.0.0"
- checksum: 10/44e1468488363074641991c1340d2a10c5a6f6d7c353d89fd161c49d120c58ebf9890720f7584f509058385836e3ce50ddb60e9f017315a4ba8c6c3461813bfc
- languageName: node
- linkType: hard
-
"fs-extra@npm:^7.0.1":
version: 7.0.1
resolution: "fs-extra@npm:7.0.1"
@@ -3964,25 +2771,6 @@ __metadata:
languageName: node
linkType: hard
-"fsevents@npm:~2.3.2, fsevents@npm:~2.3.3":
- version: 2.3.3
- resolution: "fsevents@npm:2.3.3"
- dependencies:
- node-gyp: "npm:latest"
- checksum: 10/4c1ade961ded57cdbfbb5cac5106ec17bc8bccd62e16343c569a0ceeca83b9dfef87550b4dc5cbb89642da412b20c5071f304c8c464b80415446e8e155a038c0
- conditions: os=darwin
- languageName: node
- linkType: hard
-
-"fsevents@patch:fsevents@npm%3A~2.3.2#optional!builtin, fsevents@patch:fsevents@npm%3A~2.3.3#optional!builtin":
- version: 2.3.3
- resolution: "fsevents@patch:fsevents@npm%3A2.3.3#optional!builtin::version=2.3.3&hash=df0bf1"
- dependencies:
- node-gyp: "npm:latest"
- conditions: os=darwin
- languageName: node
- linkType: hard
-
"function-bind@npm:^1.1.2":
version: 1.1.2
resolution: "function-bind@npm:1.1.2"
@@ -4050,7 +2838,7 @@ __metadata:
languageName: node
linkType: hard
-"glob@npm:^10.2.2, glob@npm:^10.3.10, glob@npm:^10.3.7, glob@npm:^10.4.1":
+"glob@npm:^10.2.2, glob@npm:^10.3.10, glob@npm:^10.3.7":
version: 10.4.5
resolution: "glob@npm:10.4.5"
dependencies:
@@ -4166,13 +2954,6 @@ __metadata:
languageName: node
linkType: hard
-"html-escaper@npm:^2.0.0":
- version: 2.0.2
- resolution: "html-escaper@npm:2.0.2"
- checksum: 10/034d74029dcca544a34fb6135e98d427acd73019796ffc17383eaa3ec2fe1c0471dcbbc8f8ed39e46e86d43ccd753a160631615e4048285e313569609b66d5b7
- languageName: node
- linkType: hard
-
"http-cache-semantics@npm:^4.1.1":
version: 4.1.1
resolution: "http-cache-semantics@npm:4.1.1"
@@ -4180,7 +2961,7 @@ __metadata:
languageName: node
linkType: hard
-"http-errors@npm:2.0.0, http-errors@npm:^2.0.0":
+"http-errors@npm:2.0.0":
version: 2.0.0
resolution: "http-errors@npm:2.0.0"
dependencies:
@@ -4220,15 +3001,6 @@ __metadata:
languageName: node
linkType: hard
-"humanize-ms@npm:^1.2.1":
- version: 1.2.1
- resolution: "humanize-ms@npm:1.2.1"
- dependencies:
- ms: "npm:^2.0.0"
- checksum: 10/9c7a74a2827f9294c009266c82031030eae811ca87b0da3dceb8d6071b9bde22c9f3daef0469c3c533cc67a97d8a167cd9fc0389350e5f415f61a79b171ded16
- languageName: node
- linkType: hard
-
"iconv-lite@npm:0.4.24, iconv-lite@npm:^0.4.24":
version: 0.4.24
resolution: "iconv-lite@npm:0.4.24"
@@ -4238,16 +3010,7 @@ __metadata:
languageName: node
linkType: hard
-"iconv-lite@npm:0.5.2":
- version: 0.5.2
- resolution: "iconv-lite@npm:0.5.2"
- dependencies:
- safer-buffer: "npm:>= 2.1.2 < 3"
- checksum: 10/b48a1c8a173b638cb3d9a21674acbfed1c1fd8e81f6dc52e63cf44d3b56f37fd48f8ff81d93a71c8b60b4dfb464d3e87f606df5f8a0f0247c21737665059565c
- languageName: node
- linkType: hard
-
-"iconv-lite@npm:0.6.3, iconv-lite@npm:^0.6.2":
+"iconv-lite@npm:^0.6.2":
version: 0.6.3
resolution: "iconv-lite@npm:0.6.3"
dependencies:
@@ -4304,15 +3067,6 @@ __metadata:
languageName: node
linkType: hard
-"is-core-module@npm:^2.16.0":
- version: 2.16.1
- resolution: "is-core-module@npm:2.16.1"
- dependencies:
- hasown: "npm:^2.0.2"
- checksum: 10/452b2c2fb7f889cbbf7e54609ef92cf6c24637c568acc7e63d166812a0fb365ae8a504c333a29add8bdb1686704068caa7f4e4b639b650dde4f00a038b8941fb
- languageName: node
- linkType: hard
-
"is-extglob@npm:^2.1.1":
version: 2.1.1
resolution: "is-extglob@npm:2.1.1"
@@ -4350,13 +3104,6 @@ __metadata:
languageName: node
linkType: hard
-"is-promise@npm:4.0.0":
- version: 4.0.0
- resolution: "is-promise@npm:4.0.0"
- checksum: 10/0b46517ad47b00b6358fd6553c83ec1f6ba9acd7ffb3d30a0bf519c5c69e7147c132430452351b8a9fc198f8dd6c4f76f8e6f5a7f100f8c77d57d9e0f4261a8a
- languageName: node
- linkType: hard
-
"is-subdir@npm:^1.1.1":
version: 1.2.0
resolution: "is-subdir@npm:1.2.0"
@@ -4403,45 +3150,6 @@ __metadata:
languageName: node
linkType: hard
-"istanbul-lib-coverage@npm:^3.0.0, istanbul-lib-coverage@npm:^3.2.2":
- version: 3.2.2
- resolution: "istanbul-lib-coverage@npm:3.2.2"
- checksum: 10/40bbdd1e937dfd8c830fa286d0f665e81b7a78bdabcd4565f6d5667c99828bda3db7fb7ac6b96a3e2e8a2461ddbc5452d9f8bc7d00cb00075fa6a3e99f5b6a81
- languageName: node
- linkType: hard
-
-"istanbul-lib-report@npm:^3.0.0, istanbul-lib-report@npm:^3.0.1":
- version: 3.0.1
- resolution: "istanbul-lib-report@npm:3.0.1"
- dependencies:
- istanbul-lib-coverage: "npm:^3.0.0"
- make-dir: "npm:^4.0.0"
- supports-color: "npm:^7.1.0"
- checksum: 10/86a83421ca1cf2109a9f6d193c06c31ef04a45e72a74579b11060b1e7bb9b6337a4e6f04abfb8857e2d569c271273c65e855ee429376a0d7c91ad91db42accd1
- languageName: node
- linkType: hard
-
-"istanbul-lib-source-maps@npm:^5.0.6":
- version: 5.0.6
- resolution: "istanbul-lib-source-maps@npm:5.0.6"
- dependencies:
- "@jridgewell/trace-mapping": "npm:^0.3.23"
- debug: "npm:^4.1.1"
- istanbul-lib-coverage: "npm:^3.0.0"
- checksum: 10/569dd0a392ee3464b1fe1accbaef5cc26de3479eacb5b91d8c67ebb7b425d39fd02247d85649c3a0e9c29b600809fa60b5af5a281a75a89c01f385b1e24823a2
- languageName: node
- linkType: hard
-
-"istanbul-reports@npm:^3.1.7":
- version: 3.1.7
- resolution: "istanbul-reports@npm:3.1.7"
- dependencies:
- html-escaper: "npm:^2.0.0"
- istanbul-lib-report: "npm:^3.0.0"
- checksum: 10/f1faaa4684efaf57d64087776018d7426312a59aa6eeb4e0e3a777347d23cd286ad18f427e98f0e3dee666103d7404c9d7abc5f240406a912fa16bd6695437fa
- languageName: node
- linkType: hard
-
"jackspeak@npm:^3.1.2":
version: 3.4.3
resolution: "jackspeak@npm:3.4.3"
@@ -4599,13 +3307,6 @@ __metadata:
languageName: node
linkType: hard
-"loupe@npm:^3.1.0, loupe@npm:^3.1.2":
- version: 3.1.2
- resolution: "loupe@npm:3.1.2"
- checksum: 10/8f5734e53fb64cd914aa7d986e01b6d4c2e3c6c56dcbd5428d71c2703f0ab46b5ab9f9eeaaf2b485e8a1c43f865bdd16ec08ae1a661c8f55acdbd9f4d59c607a
- languageName: node
- linkType: hard
-
"lru-cache@npm:^10.0.1, lru-cache@npm:^10.2.0":
version: 10.4.3
resolution: "lru-cache@npm:10.4.3"
@@ -4613,42 +3314,6 @@ __metadata:
languageName: node
linkType: hard
-"magic-string@npm:^0.30.10, magic-string@npm:^0.30.12":
- version: 0.30.17
- resolution: "magic-string@npm:0.30.17"
- dependencies:
- "@jridgewell/sourcemap-codec": "npm:^1.5.0"
- checksum: 10/2f71af2b0afd78c2e9012a29b066d2c8ba45a9cd0c8070f7fd72de982fb1c403b4e3afdb1dae00691d56885ede66b772ef6bedf765e02e3a7066208fe2fec4aa
- languageName: node
- linkType: hard
-
-"magicast@npm:^0.3.5":
- version: 0.3.5
- resolution: "magicast@npm:0.3.5"
- dependencies:
- "@babel/parser": "npm:^7.25.4"
- "@babel/types": "npm:^7.25.4"
- source-map-js: "npm:^1.2.0"
- checksum: 10/3a2dba6b0bdde957797361d09c7931ebdc1b30231705360eeb40ed458d28e1c3112841c3ed4e1b87ceb28f741e333c7673cd961193aa9fdb4f4946b202e6205a
- languageName: node
- linkType: hard
-
-"make-dir@npm:^4.0.0":
- version: 4.0.0
- resolution: "make-dir@npm:4.0.0"
- dependencies:
- semver: "npm:^7.5.3"
- checksum: 10/bf0731a2dd3aab4db6f3de1585cea0b746bb73eb5a02e3d8d72757e376e64e6ada190b1eddcde5b2f24a81b688a9897efd5018737d05e02e2a671dda9cff8a8a
- languageName: node
- linkType: hard
-
-"make-error@npm:^1.1.1":
- version: 1.3.6
- resolution: "make-error@npm:1.3.6"
- checksum: 10/b86e5e0e25f7f777b77fabd8e2cbf15737972869d852a22b7e73c17623928fccb826d8e46b9951501d3f20e51ad74ba8c59ed584f610526a48f8ccf88aaec402
- languageName: node
- linkType: hard
-
"make-fetch-happen@npm:^14.0.3":
version: 14.0.3
resolution: "make-fetch-happen@npm:14.0.3"
@@ -4682,13 +3347,6 @@ __metadata:
languageName: node
linkType: hard
-"media-typer@npm:^1.1.0":
- version: 1.1.0
- resolution: "media-typer@npm:1.1.0"
- checksum: 10/a58dd60804df73c672942a7253ccc06815612326dc1c0827984b1a21704466d7cde351394f47649e56cf7415e6ee2e26e000e81b51b3eebb5a93540e8bf93cbd
- languageName: node
- linkType: hard
-
"merge-descriptors@npm:1.0.3":
version: 1.0.3
resolution: "merge-descriptors@npm:1.0.3"
@@ -4696,13 +3354,6 @@ __metadata:
languageName: node
linkType: hard
-"merge-descriptors@npm:^2.0.0":
- version: 2.0.0
- resolution: "merge-descriptors@npm:2.0.0"
- checksum: 10/e383332e700a94682d0125a36c8be761142a1320fc9feeb18e6e36647c9edf064271645f5669b2c21cf352116e561914fd8aa831b651f34db15ef4038c86696a
- languageName: node
- linkType: hard
-
"merge2@npm:^1.3.0, merge2@npm:^1.4.1":
version: 1.4.1
resolution: "merge2@npm:1.4.1"
@@ -4734,14 +3385,7 @@ __metadata:
languageName: node
linkType: hard
-"mime-db@npm:^1.53.0":
- version: 1.53.0
- resolution: "mime-db@npm:1.53.0"
- checksum: 10/82409c568a20254cc67a763a25e581d2213e1ef5d070a0af805239634f8a655f5d8a15138200f5f81c5b06fc6623d27f6168c612d447642d59e37eb7f20f7412
- languageName: node
- linkType: hard
-
-"mime-types@npm:^2.1.12, mime-types@npm:^2.1.35, mime-types@npm:~2.1.24, mime-types@npm:~2.1.34":
+"mime-types@npm:^2.1.12, mime-types@npm:~2.1.24, mime-types@npm:~2.1.34":
version: 2.1.35
resolution: "mime-types@npm:2.1.35"
dependencies:
@@ -4750,15 +3394,6 @@ __metadata:
languageName: node
linkType: hard
-"mime-types@npm:^3.0.0":
- version: 3.0.0
- resolution: "mime-types@npm:3.0.0"
- dependencies:
- mime-db: "npm:^1.53.0"
- checksum: 10/819584a951124b1cdee21e0c5515d174e1df018407b837297cef0da0620e4c0551336909fc3704166fca3a3fc141d19976bcc34e94eb720af04bbf4b50b43545
- languageName: node
- linkType: hard
-
"mime@npm:1.6.0":
version: 1.6.0
resolution: "mime@npm:1.6.0"
@@ -4900,29 +3535,13 @@ __metadata:
languageName: node
linkType: hard
-"ms@npm:2.1.2":
- version: 2.1.2
- resolution: "ms@npm:2.1.2"
- checksum: 10/673cdb2c3133eb050c745908d8ce632ed2c02d85640e2edb3ace856a2266a813b30c613569bf3354fdf4ea7d1a1494add3bfa95e2713baa27d0c2c71fc44f58f
- languageName: node
- linkType: hard
-
-"ms@npm:2.1.3, ms@npm:^2.0.0, ms@npm:^2.1.3":
+"ms@npm:2.1.3, ms@npm:^2.1.3":
version: 2.1.3
resolution: "ms@npm:2.1.3"
checksum: 10/aa92de608021b242401676e35cfa5aa42dd70cbdc082b916da7fb925c542173e36bce97ea3e804923fe92c0ad991434e4a38327e15a1b5b5f945d66df615ae6d
languageName: node
linkType: hard
-"nanoid@npm:^3.3.8":
- version: 3.3.8
- resolution: "nanoid@npm:3.3.8"
- bin:
- nanoid: bin/nanoid.cjs
- checksum: 10/2d1766606cf0d6f47b6f0fdab91761bb81609b2e3d367027aff45e6ee7006f660fb7e7781f4a34799fe6734f1268eeed2e37a5fdee809ade0c2d4eb11b0f9c40
- languageName: node
- linkType: hard
-
"natural-compare@npm:^1.4.0":
version: 1.4.0
resolution: "natural-compare@npm:1.4.0"
@@ -4944,42 +3563,10 @@ __metadata:
languageName: node
linkType: hard
-"next-tick@npm:^1.1.0":
- version: 1.1.0
- resolution: "next-tick@npm:1.1.0"
- checksum: 10/83b5cf36027a53ee6d8b7f9c0782f2ba87f4858d977342bfc3c20c21629290a2111f8374d13a81221179603ffc4364f38374b5655d17b6a8f8a8c77bdea4fe8b
- languageName: node
- linkType: hard
-
-"node-domexception@npm:1.0.0, node-domexception@npm:^1.0.0":
- version: 1.0.0
- resolution: "node-domexception@npm:1.0.0"
- checksum: 10/e332522f242348c511640c25a6fc7da4f30e09e580c70c6b13cb0be83c78c3e71c8d4665af2527e869fc96848924a4316ae7ec9014c091e2156f41739d4fa233
- languageName: node
- linkType: hard
-
-"node-fetch@npm:^2.6.7":
- version: 2.7.0
- resolution: "node-fetch@npm:2.7.0"
- dependencies:
- whatwg-url: "npm:^5.0.0"
- peerDependencies:
- encoding: ^0.1.0
- peerDependenciesMeta:
- encoding:
- optional: true
- checksum: 10/b24f8a3dc937f388192e59bcf9d0857d7b6940a2496f328381641cb616efccc9866e89ec43f2ec956bbd6c3d3ee05524ce77fe7b29ccd34692b3a16f237d6676
- languageName: node
- linkType: hard
-
-"node-fetch@npm:^3.3.2":
- version: 3.3.2
- resolution: "node-fetch@npm:3.3.2"
- dependencies:
- data-uri-to-buffer: "npm:^4.0.0"
- fetch-blob: "npm:^3.1.4"
- formdata-polyfill: "npm:^4.0.10"
- checksum: 10/24207ca8c81231c7c59151840e3fded461d67a31cf3e3b3968e12201a42f89ce4a0b5fb7079b1fa0a4655957b1ca9257553200f03a9f668b45ebad265ca5593d
+"next-tick@npm:^1.1.0":
+ version: 1.1.0
+ resolution: "next-tick@npm:1.1.0"
+ checksum: 10/83b5cf36027a53ee6d8b7f9c0782f2ba87f4858d977342bfc3c20c21629290a2111f8374d13a81221179603ffc4364f38374b5655d17b6a8f8a8c77bdea4fe8b
languageName: node
linkType: hard
@@ -5032,7 +3619,7 @@ __metadata:
languageName: node
linkType: hard
-"on-finished@npm:2.4.1, on-finished@npm:^2.4.1":
+"on-finished@npm:2.4.1":
version: 2.4.1
resolution: "on-finished@npm:2.4.1"
dependencies:
@@ -5041,40 +3628,6 @@ __metadata:
languageName: node
linkType: hard
-"once@npm:1.4.0":
- version: 1.4.0
- resolution: "once@npm:1.4.0"
- dependencies:
- wrappy: "npm:1"
- checksum: 10/cd0a88501333edd640d95f0d2700fbde6bff20b3d4d9bdc521bdd31af0656b5706570d6c6afe532045a20bb8dc0849f8332d6f2a416e0ba6d3d3b98806c7db68
- languageName: node
- linkType: hard
-
-"openai@npm:latest":
- version: 4.79.1
- resolution: "openai@npm:4.79.1"
- dependencies:
- "@types/node": "npm:^18.11.18"
- "@types/node-fetch": "npm:^2.6.4"
- abort-controller: "npm:^3.0.0"
- agentkeepalive: "npm:^4.2.1"
- form-data-encoder: "npm:1.7.2"
- formdata-node: "npm:^4.3.2"
- node-fetch: "npm:^2.6.7"
- peerDependencies:
- ws: ^8.18.0
- zod: ^3.23.8
- peerDependenciesMeta:
- ws:
- optional: true
- zod:
- optional: true
- bin:
- openai: bin/cli
- checksum: 10/455b32778d63328a2fb4f24de749e110399f5977ec5027b28bdf7a129b4fc706600a8d1be09a2d260f8f797743b31364a49c4b222306a67f87c222b527039448
- languageName: node
- linkType: hard
-
"optionator@npm:^0.9.3":
version: 0.9.4
resolution: "optionator@npm:0.9.4"
@@ -5212,7 +3765,7 @@ __metadata:
languageName: node
linkType: hard
-"parseurl@npm:^1.3.3, parseurl@npm:~1.3.3":
+"parseurl@npm:~1.3.3":
version: 1.3.3
resolution: "parseurl@npm:1.3.3"
checksum: 10/407cee8e0a3a4c5cd472559bca8b6a45b82c124e9a4703302326e9ab60fc1081442ada4e02628efef1eb16197ddc7f8822f5a91fd7d7c86b51f530aedb17dfa2
@@ -5233,13 +3786,6 @@ __metadata:
languageName: node
linkType: hard
-"path-parse@npm:^1.0.7":
- version: 1.0.7
- resolution: "path-parse@npm:1.0.7"
- checksum: 10/49abf3d81115642938a8700ec580da6e830dde670be21893c62f4e10bd7dd4c3742ddc603fe24f898cba7eb0c6bc1777f8d9ac14185d34540c6d4d80cd9cae8a
- languageName: node
- linkType: hard
-
"path-scurry@npm:^1.11.1":
version: 1.11.1
resolution: "path-scurry@npm:1.11.1"
@@ -5257,13 +3803,6 @@ __metadata:
languageName: node
linkType: hard
-"path-to-regexp@npm:^8.0.0":
- version: 8.2.0
- resolution: "path-to-regexp@npm:8.2.0"
- checksum: 10/23378276a172b8ba5f5fb824475d1818ca5ccee7bbdb4674701616470f23a14e536c1db11da9c9e6d82b82c556a817bbf4eee6e41b9ed20090ef9427cbb38e13
- languageName: node
- linkType: hard
-
"path-type@npm:^4.0.0":
version: 4.0.0
resolution: "path-type@npm:4.0.0"
@@ -5271,21 +3810,7 @@ __metadata:
languageName: node
linkType: hard
-"pathe@npm:^1.1.2":
- version: 1.1.2
- resolution: "pathe@npm:1.1.2"
- checksum: 10/f201d796351bf7433d147b92c20eb154a4e0ea83512017bf4ec4e492a5d6e738fb45798be4259a61aa81270179fce11026f6ff0d3fa04173041de044defe9d80
- languageName: node
- linkType: hard
-
-"pathval@npm:^2.0.0":
- version: 2.0.0
- resolution: "pathval@npm:2.0.0"
- checksum: 10/b91575bf9cdf01757afd7b5e521eb8a0b874a49bc972d08e0047cfea0cd3c019f5614521d4bc83d2855e3fcc331db6817dfd533dd8f3d90b16bc76fad2450fc1
- languageName: node
- linkType: hard
-
-"picocolors@npm:^1.0.0, picocolors@npm:^1.1.0, picocolors@npm:^1.1.1":
+"picocolors@npm:^1.0.0, picocolors@npm:^1.1.0":
version: 1.1.1
resolution: "picocolors@npm:1.1.1"
checksum: 10/e1cf46bf84886c79055fdfa9dcb3e4711ad259949e3565154b004b260cd356c5d54b31a1437ce9782624bf766272fe6b0154f5f0c744fb7af5d454d2b60db045
@@ -5313,17 +3838,6 @@ __metadata:
languageName: node
linkType: hard
-"postcss@npm:^8.4.43":
- version: 8.5.1
- resolution: "postcss@npm:8.5.1"
- dependencies:
- nanoid: "npm:^3.3.8"
- picocolors: "npm:^1.1.1"
- source-map-js: "npm:^1.2.1"
- checksum: 10/1fbd28753143f7f03e4604813639918182b15343c7ad0f4e72f3875fc2cc0b8494c887f55dc05008fad5fbf1e1e908ce2edbbce364a91f84dcefb71edf7cd31d
- languageName: node
- linkType: hard
-
"prelude-ls@npm:^1.2.1":
version: 1.2.1
resolution: "prelude-ls@npm:1.2.1"
@@ -5450,7 +3964,7 @@ __metadata:
languageName: node
linkType: hard
-"range-parser@npm:^1.2.1, range-parser@npm:~1.2.1":
+"range-parser@npm:~1.2.1":
version: 1.2.1
resolution: "range-parser@npm:1.2.1"
checksum: 10/ce21ef2a2dd40506893157970dc76e835c78cf56437e26e19189c48d5291e7279314477b06ac38abd6a401b661a6840f7b03bd0b1249da9b691deeaa15872c26
@@ -5469,18 +3983,6 @@ __metadata:
languageName: node
linkType: hard
-"raw-body@npm:^3.0.0":
- version: 3.0.0
- resolution: "raw-body@npm:3.0.0"
- dependencies:
- bytes: "npm:3.1.2"
- http-errors: "npm:2.0.0"
- iconv-lite: "npm:0.6.3"
- unpipe: "npm:1.0.0"
- checksum: 10/2443429bbb2f9ae5c50d3d2a6c342533dfbde6b3173740b70fa0302b30914ff400c6d31a46b3ceacbe7d0925dc07d4413928278b494b04a65736fc17ca33e30c
- languageName: node
- linkType: hard
-
"read-yaml-file@npm:^1.1.0":
version: 1.1.0
resolution: "read-yaml-file@npm:1.1.0"
@@ -5521,32 +4023,6 @@ __metadata:
languageName: node
linkType: hard
-"resolve@npm:^1.22.1":
- version: 1.22.10
- resolution: "resolve@npm:1.22.10"
- dependencies:
- is-core-module: "npm:^2.16.0"
- path-parse: "npm:^1.0.7"
- supports-preserve-symlinks-flag: "npm:^1.0.0"
- bin:
- resolve: bin/resolve
- checksum: 10/0a398b44da5c05e6e421d70108822c327675febb880eebe905587628de401854c61d5df02866ff34fc4cb1173a51c9f0e84a94702738df3611a62e2acdc68181
- languageName: node
- linkType: hard
-
-"resolve@patch:resolve@npm%3A^1.22.1#optional!builtin":
- version: 1.22.10
- resolution: "resolve@patch:resolve@npm%3A1.22.10#optional!builtin::version=1.22.10&hash=c3c19d"
- dependencies:
- is-core-module: "npm:^2.16.0"
- path-parse: "npm:^1.0.7"
- supports-preserve-symlinks-flag: "npm:^1.0.0"
- bin:
- resolve: bin/resolve
- checksum: 10/d4d878bfe3702d215ea23e75e0e9caf99468e3db76f5ca100d27ebdc527366fee3877e54bce7d47cc72ca8952fc2782a070d238bfa79a550eeb0082384c3b81a
- languageName: node
- linkType: hard
-
"retry@npm:^0.12.0":
version: 0.12.0
resolution: "retry@npm:0.12.0"
@@ -5572,181 +4048,6 @@ __metadata:
languageName: node
linkType: hard
-"rollup-plugin-dts@npm:^6.1.1":
- version: 6.1.1
- resolution: "rollup-plugin-dts@npm:6.1.1"
- dependencies:
- "@babel/code-frame": "npm:^7.24.2"
- magic-string: "npm:^0.30.10"
- peerDependencies:
- rollup: ^3.29.4 || ^4
- typescript: ^4.5 || ^5.0
- dependenciesMeta:
- "@babel/code-frame":
- optional: true
- checksum: 10/8a66833a5af32f77d9bbc746339097d4af2382e5160f7629d85dcecb4efad12cbfebd37c79147fa688f073c333d71f53135e08a225a3fc3e9a3b3f92c46b2381
- languageName: node
- linkType: hard
-
-"rollup@npm:^4.20.0":
- version: 4.30.1
- resolution: "rollup@npm:4.30.1"
- dependencies:
- "@rollup/rollup-android-arm-eabi": "npm:4.30.1"
- "@rollup/rollup-android-arm64": "npm:4.30.1"
- "@rollup/rollup-darwin-arm64": "npm:4.30.1"
- "@rollup/rollup-darwin-x64": "npm:4.30.1"
- "@rollup/rollup-freebsd-arm64": "npm:4.30.1"
- "@rollup/rollup-freebsd-x64": "npm:4.30.1"
- "@rollup/rollup-linux-arm-gnueabihf": "npm:4.30.1"
- "@rollup/rollup-linux-arm-musleabihf": "npm:4.30.1"
- "@rollup/rollup-linux-arm64-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-arm64-musl": "npm:4.30.1"
- "@rollup/rollup-linux-loongarch64-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-powerpc64le-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-riscv64-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-s390x-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-x64-gnu": "npm:4.30.1"
- "@rollup/rollup-linux-x64-musl": "npm:4.30.1"
- "@rollup/rollup-win32-arm64-msvc": "npm:4.30.1"
- "@rollup/rollup-win32-ia32-msvc": "npm:4.30.1"
- "@rollup/rollup-win32-x64-msvc": "npm:4.30.1"
- "@types/estree": "npm:1.0.6"
- fsevents: "npm:~2.3.2"
- dependenciesMeta:
- "@rollup/rollup-android-arm-eabi":
- optional: true
- "@rollup/rollup-android-arm64":
- optional: true
- "@rollup/rollup-darwin-arm64":
- optional: true
- "@rollup/rollup-darwin-x64":
- optional: true
- "@rollup/rollup-freebsd-arm64":
- optional: true
- "@rollup/rollup-freebsd-x64":
- optional: true
- "@rollup/rollup-linux-arm-gnueabihf":
- optional: true
- "@rollup/rollup-linux-arm-musleabihf":
- optional: true
- "@rollup/rollup-linux-arm64-gnu":
- optional: true
- "@rollup/rollup-linux-arm64-musl":
- optional: true
- "@rollup/rollup-linux-loongarch64-gnu":
- optional: true
- "@rollup/rollup-linux-powerpc64le-gnu":
- optional: true
- "@rollup/rollup-linux-riscv64-gnu":
- optional: true
- "@rollup/rollup-linux-s390x-gnu":
- optional: true
- "@rollup/rollup-linux-x64-gnu":
- optional: true
- "@rollup/rollup-linux-x64-musl":
- optional: true
- "@rollup/rollup-win32-arm64-msvc":
- optional: true
- "@rollup/rollup-win32-ia32-msvc":
- optional: true
- "@rollup/rollup-win32-x64-msvc":
- optional: true
- fsevents:
- optional: true
- bin:
- rollup: dist/bin/rollup
- checksum: 10/f5d240a76a8c3cd7918f7dc97b7eaec5d97d27b3901e3843f74e18b4e9195c77abe8aa61575cd64ad7897f6a6dea6c68a7ad1a8073e3cf3139529e9fa7d06c2b
- languageName: node
- linkType: hard
-
-"rollup@npm:^4.31.0":
- version: 4.31.0
- resolution: "rollup@npm:4.31.0"
- dependencies:
- "@rollup/rollup-android-arm-eabi": "npm:4.31.0"
- "@rollup/rollup-android-arm64": "npm:4.31.0"
- "@rollup/rollup-darwin-arm64": "npm:4.31.0"
- "@rollup/rollup-darwin-x64": "npm:4.31.0"
- "@rollup/rollup-freebsd-arm64": "npm:4.31.0"
- "@rollup/rollup-freebsd-x64": "npm:4.31.0"
- "@rollup/rollup-linux-arm-gnueabihf": "npm:4.31.0"
- "@rollup/rollup-linux-arm-musleabihf": "npm:4.31.0"
- "@rollup/rollup-linux-arm64-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-arm64-musl": "npm:4.31.0"
- "@rollup/rollup-linux-loongarch64-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-powerpc64le-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-riscv64-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-s390x-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-x64-gnu": "npm:4.31.0"
- "@rollup/rollup-linux-x64-musl": "npm:4.31.0"
- "@rollup/rollup-win32-arm64-msvc": "npm:4.31.0"
- "@rollup/rollup-win32-ia32-msvc": "npm:4.31.0"
- "@rollup/rollup-win32-x64-msvc": "npm:4.31.0"
- "@types/estree": "npm:1.0.6"
- fsevents: "npm:~2.3.2"
- dependenciesMeta:
- "@rollup/rollup-android-arm-eabi":
- optional: true
- "@rollup/rollup-android-arm64":
- optional: true
- "@rollup/rollup-darwin-arm64":
- optional: true
- "@rollup/rollup-darwin-x64":
- optional: true
- "@rollup/rollup-freebsd-arm64":
- optional: true
- "@rollup/rollup-freebsd-x64":
- optional: true
- "@rollup/rollup-linux-arm-gnueabihf":
- optional: true
- "@rollup/rollup-linux-arm-musleabihf":
- optional: true
- "@rollup/rollup-linux-arm64-gnu":
- optional: true
- "@rollup/rollup-linux-arm64-musl":
- optional: true
- "@rollup/rollup-linux-loongarch64-gnu":
- optional: true
- "@rollup/rollup-linux-powerpc64le-gnu":
- optional: true
- "@rollup/rollup-linux-riscv64-gnu":
- optional: true
- "@rollup/rollup-linux-s390x-gnu":
- optional: true
- "@rollup/rollup-linux-x64-gnu":
- optional: true
- "@rollup/rollup-linux-x64-musl":
- optional: true
- "@rollup/rollup-win32-arm64-msvc":
- optional: true
- "@rollup/rollup-win32-ia32-msvc":
- optional: true
- "@rollup/rollup-win32-x64-msvc":
- optional: true
- fsevents:
- optional: true
- bin:
- rollup: dist/bin/rollup
- checksum: 10/4f5fac0a0df7878ca810512c283df0e81b21d42fed262943b412c488a30beceb0149a4be36dbf2750b6c5cbfa4d4cf5097a134266f1425a9e213c2a2a09853fc
- languageName: node
- linkType: hard
-
-"router@npm:^2.0.0":
- version: 2.0.0
- resolution: "router@npm:2.0.0"
- dependencies:
- array-flatten: "npm:3.0.0"
- is-promise: "npm:4.0.0"
- methods: "npm:~1.1.2"
- parseurl: "npm:~1.3.3"
- path-to-regexp: "npm:^8.0.0"
- setprototypeof: "npm:1.2.0"
- utils-merge: "npm:1.0.1"
- checksum: 10/cb0b044f0672eca104239680ac16d2629809df41a886a07a5ec319c683ef3c09c4ac0c88a91de2cea3da7d314ea6054d9c35840851ab55a3c2230e9ba690a885
- languageName: node
- linkType: hard
-
"run-parallel@npm:^1.1.9":
version: 1.2.0
resolution: "run-parallel@npm:1.2.0"
@@ -5816,26 +4117,6 @@ __metadata:
languageName: node
linkType: hard
-"send@npm:^1.0.0, send@npm:^1.1.0":
- version: 1.1.0
- resolution: "send@npm:1.1.0"
- dependencies:
- debug: "npm:^4.3.5"
- destroy: "npm:^1.2.0"
- encodeurl: "npm:^2.0.0"
- escape-html: "npm:^1.0.3"
- etag: "npm:^1.8.1"
- fresh: "npm:^0.5.2"
- http-errors: "npm:^2.0.0"
- mime-types: "npm:^2.1.35"
- ms: "npm:^2.1.3"
- on-finished: "npm:^2.4.1"
- range-parser: "npm:^1.2.1"
- statuses: "npm:^2.0.1"
- checksum: 10/5040d4d1e52a2a4634a3381a0c21be8115543be3ac0345b99c16d2510af2391968e1c4031ac3e1620cca6948f5ff888f39fa6515c4b6005c6c792c56300ea997
- languageName: node
- linkType: hard
-
"serve-static@npm:1.16.2":
version: 1.16.2
resolution: "serve-static@npm:1.16.2"
@@ -5848,18 +4129,6 @@ __metadata:
languageName: node
linkType: hard
-"serve-static@npm:^2.1.0":
- version: 2.1.0
- resolution: "serve-static@npm:2.1.0"
- dependencies:
- encodeurl: "npm:^2.0.0"
- escape-html: "npm:^1.0.3"
- parseurl: "npm:^1.3.3"
- send: "npm:^1.0.0"
- checksum: 10/ecb5969b66520e6546721454e72ee3fbe827fee16224a563d258d71ab68d9316991c81910b94bd2a7b75112669ef887068ab0ef66a4bf524ed8ed9c919a01de0
- languageName: node
- linkType: hard
-
"setprototypeof@npm:1.2.0":
version: 1.2.0
resolution: "setprototypeof@npm:1.2.0"
@@ -5931,13 +4200,6 @@ __metadata:
languageName: node
linkType: hard
-"siginfo@npm:^2.0.0":
- version: 2.0.0
- resolution: "siginfo@npm:2.0.0"
- checksum: 10/e93ff66c6531a079af8fb217240df01f980155b5dc408d2d7bebc398dd284e383eb318153bf8acd4db3c4fe799aa5b9a641e38b0ba3b1975700b1c89547ea4e7
- languageName: node
- linkType: hard
-
"signal-exit@npm:^4.0.1":
version: 4.1.0
resolution: "signal-exit@npm:4.1.0"
@@ -6012,13 +4274,6 @@ __metadata:
languageName: node
linkType: hard
-"source-map-js@npm:^1.2.0, source-map-js@npm:^1.2.1":
- version: 1.2.1
- resolution: "source-map-js@npm:1.2.1"
- checksum: 10/ff9d8c8bf096d534a5b7707e0382ef827b4dd360a577d3f34d2b9f48e12c9d230b5747974ee7c607f0df65113732711bb701fe9ece3c7edbd43cb2294d707df3
- languageName: node
- linkType: hard
-
"spawndamnit@npm:^3.0.1":
version: 3.0.1
resolution: "spawndamnit@npm:3.0.1"
@@ -6052,27 +4307,13 @@ __metadata:
languageName: node
linkType: hard
-"stackback@npm:0.0.2":
- version: 0.0.2
- resolution: "stackback@npm:0.0.2"
- checksum: 10/2d4dc4e64e2db796de4a3c856d5943daccdfa3dd092e452a1ce059c81e9a9c29e0b9badba91b43ef0d5ff5c04ee62feb3bcc559a804e16faf447bac2d883aa99
- languageName: node
- linkType: hard
-
-"statuses@npm:2.0.1, statuses@npm:^2.0.1":
+"statuses@npm:2.0.1":
version: 2.0.1
resolution: "statuses@npm:2.0.1"
checksum: 10/18c7623fdb8f646fb213ca4051be4df7efb3484d4ab662937ca6fbef7ced9b9e12842709872eb3020cc3504b93bde88935c9f6417489627a7786f24f8031cbcb
languageName: node
linkType: hard
-"std-env@npm:^3.8.0":
- version: 3.8.0
- resolution: "std-env@npm:3.8.0"
- checksum: 10/034176196cfcaaab16dbdd96fc9e925a9544799fb6dc5a3e36fe43270f3a287c7f779d785b89edaf22cef2b5f1dcada2aae67430b8602e785ee74bdb3f671768
- languageName: node
- linkType: hard
-
"string-width-cjs@npm:string-width@^4.2.0, string-width@npm:^4.1.0":
version: 4.2.3
resolution: "string-width@npm:4.2.3"
@@ -6143,13 +4384,6 @@ __metadata:
languageName: node
linkType: hard
-"supports-preserve-symlinks-flag@npm:^1.0.0":
- version: 1.0.0
- resolution: "supports-preserve-symlinks-flag@npm:1.0.0"
- checksum: 10/a9dc19ae2220c952bd2231d08ddeecb1b0328b61e72071ff4000c8384e145cc07c1c0bdb3b5a1cb06e186a7b2790f1dee793418b332f6ddf320de25d9125be7e
- languageName: node
- linkType: hard
-
"synckit@npm:0.9.2, synckit@npm:^0.9.1":
version: 0.9.2
resolution: "synckit@npm:0.9.2"
@@ -6181,31 +4415,6 @@ __metadata:
languageName: node
linkType: hard
-"test-exclude@npm:^7.0.1":
- version: 7.0.1
- resolution: "test-exclude@npm:7.0.1"
- dependencies:
- "@istanbuljs/schema": "npm:^0.1.2"
- glob: "npm:^10.4.1"
- minimatch: "npm:^9.0.4"
- checksum: 10/e6f6f4e1df2e7810e082e8d7dfc53be51a931e6e87925f5e1c2ef92cc1165246ba3bf2dae6b5d86251c16925683dba906bd41e40169ebc77120a2d1b5a0dbbe0
- languageName: node
- linkType: hard
-
-"tinybench@npm:^2.9.0":
- version: 2.9.0
- resolution: "tinybench@npm:2.9.0"
- checksum: 10/cfa1e1418e91289219501703c4693c70708c91ffb7f040fd318d24aef419fb5a43e0c0160df9471499191968b2451d8da7f8087b08c3133c251c40d24aced06c
- languageName: node
- linkType: hard
-
-"tinyexec@npm:^0.3.1":
- version: 0.3.2
- resolution: "tinyexec@npm:0.3.2"
- checksum: 10/b9d5fed3166fb1acd1e7f9a89afcd97ccbe18b9c1af0278e429455f6976d69271ba2d21797e7c36d57d6b05025e525d2882d88c2ab435b60d1ddf2fea361de57
- languageName: node
- linkType: hard
-
"tinyglobby@npm:^0.2.9":
version: 0.2.10
resolution: "tinyglobby@npm:0.2.10"
@@ -6216,27 +4425,6 @@ __metadata:
languageName: node
linkType: hard
-"tinypool@npm:^1.0.1":
- version: 1.0.2
- resolution: "tinypool@npm:1.0.2"
- checksum: 10/6109322f14b3763f65c8fa49fddab72cd3edd96b82dd50e05e63de74867329ff5353bff4377281ec963213d9314f37f4a353e9ee34bbac85fd4c1e4a568d6076
- languageName: node
- linkType: hard
-
-"tinyrainbow@npm:^1.2.0":
- version: 1.2.0
- resolution: "tinyrainbow@npm:1.2.0"
- checksum: 10/2924444db6804355e5ba2b6e586c7f77329d93abdd7257a069a0f4530dff9f16de484e80479094e3f39273462541b003a65ee3a6afc2d12555aa745132deba5d
- languageName: node
- linkType: hard
-
-"tinyspy@npm:^3.0.2":
- version: 3.0.2
- resolution: "tinyspy@npm:3.0.2"
- checksum: 10/5db671b2ff5cd309de650c8c4761ca945459d7204afb1776db9a04fb4efa28a75f08517a8620c01ee32a577748802231ad92f7d5b194dc003ee7f987a2a06337
- languageName: node
- linkType: hard
-
"tmp@npm:^0.0.33":
version: 0.0.33
resolution: "tmp@npm:0.0.33"
@@ -6262,13 +4450,6 @@ __metadata:
languageName: node
linkType: hard
-"tr46@npm:~0.0.3":
- version: 0.0.3
- resolution: "tr46@npm:0.0.3"
- checksum: 10/8f1f5aa6cb232f9e1bdc86f485f916b7aa38caee8a778b378ffec0b70d9307873f253f5cbadbe2955ece2ac5c83d0dc14a77513166ccd0a0c7fe197e21396695
- languageName: node
- linkType: hard
-
"ts-api-utils@npm:^2.0.0":
version: 2.0.0
resolution: "ts-api-utils@npm:2.0.0"
@@ -6278,44 +4459,6 @@ __metadata:
languageName: node
linkType: hard
-"ts-node@npm:^10.9.2":
- version: 10.9.2
- resolution: "ts-node@npm:10.9.2"
- dependencies:
- "@cspotcode/source-map-support": "npm:^0.8.0"
- "@tsconfig/node10": "npm:^1.0.7"
- "@tsconfig/node12": "npm:^1.0.7"
- "@tsconfig/node14": "npm:^1.0.0"
- "@tsconfig/node16": "npm:^1.0.2"
- acorn: "npm:^8.4.1"
- acorn-walk: "npm:^8.1.1"
- arg: "npm:^4.1.0"
- create-require: "npm:^1.1.0"
- diff: "npm:^4.0.1"
- make-error: "npm:^1.1.1"
- v8-compile-cache-lib: "npm:^3.0.1"
- yn: "npm:3.1.1"
- peerDependencies:
- "@swc/core": ">=1.2.50"
- "@swc/wasm": ">=1.2.50"
- "@types/node": "*"
- typescript: ">=2.7"
- peerDependenciesMeta:
- "@swc/core":
- optional: true
- "@swc/wasm":
- optional: true
- bin:
- ts-node: dist/bin.js
- ts-node-cwd: dist/bin-cwd.js
- ts-node-esm: dist/bin-esm.js
- ts-node-script: dist/bin-script.js
- ts-node-transpile-only: dist/bin-transpile.js
- ts-script: dist/bin-script-deprecated.js
- checksum: 10/a91a15b3c9f76ac462f006fa88b6bfa528130dcfb849dd7ef7f9d640832ab681e235b8a2bc58ecde42f72851cc1d5d4e22c901b0c11aa51001ea1d395074b794
- languageName: node
- linkType: hard
-
"tslib@npm:^2.1.0, tslib@npm:^2.6.2":
version: 2.8.1
resolution: "tslib@npm:2.8.1"
@@ -6403,17 +4546,6 @@ __metadata:
languageName: node
linkType: hard
-"type-is@npm:^2.0.0":
- version: 2.0.0
- resolution: "type-is@npm:2.0.0"
- dependencies:
- content-type: "npm:^1.0.5"
- media-typer: "npm:^1.1.0"
- mime-types: "npm:^3.0.0"
- checksum: 10/056ae0e94fc7e01209f001d2b4506e39908d95e454aef6eefec7f8f252a00b15c6c0a9707fa3d4d6a83be8ea3ea95fe1d6cfd5bfe7ef90831b61875f5512f441
- languageName: node
- linkType: hard
-
"type-is@npm:~1.6.18":
version: 1.6.18
resolution: "type-is@npm:1.6.18"
@@ -6474,13 +4606,6 @@ __metadata:
languageName: node
linkType: hard
-"undici-types@npm:~5.26.4":
- version: 5.26.5
- resolution: "undici-types@npm:5.26.5"
- checksum: 10/0097779d94bc0fd26f0418b3a05472410408877279141ded2bd449167be1aed7ea5b76f756562cb3586a07f251b90799bab22d9019ceba49c037c76445f7cddd
- languageName: node
- linkType: hard
-
"undici-types@npm:~6.20.0":
version: 6.20.0
resolution: "undici-types@npm:6.20.0"
@@ -6555,13 +4680,6 @@ __metadata:
languageName: node
linkType: hard
-"v8-compile-cache-lib@npm:^3.0.1":
- version: 3.0.1
- resolution: "v8-compile-cache-lib@npm:3.0.1"
- checksum: 10/88d3423a52b6aaf1836be779cab12f7016d47ad8430dffba6edf766695e6d90ad4adaa3d8eeb512cc05924f3e246c4a4ca51e089dccf4402caa536b5e5be8961
- languageName: node
- linkType: hard
-
"vary@npm:~1.1.2":
version: 1.1.2
resolution: "vary@npm:1.1.2"
@@ -6590,135 +4708,6 @@ __metadata:
languageName: node
linkType: hard
-"vite-node@npm:2.1.8":
- version: 2.1.8
- resolution: "vite-node@npm:2.1.8"
- dependencies:
- cac: "npm:^6.7.14"
- debug: "npm:^4.3.7"
- es-module-lexer: "npm:^1.5.4"
- pathe: "npm:^1.1.2"
- vite: "npm:^5.0.0"
- bin:
- vite-node: vite-node.mjs
- checksum: 10/0ff0ed7a6fb234d3ddc4946e4c1150229980cac9f34fb4bd7f443aab0aae2da5b73ac20ff68af1df476545807dc23189247194e8cea0dcdfa394311c73f04429
- languageName: node
- linkType: hard
-
-"vite@npm:^5.0.0":
- version: 5.4.11
- resolution: "vite@npm:5.4.11"
- dependencies:
- esbuild: "npm:^0.21.3"
- fsevents: "npm:~2.3.3"
- postcss: "npm:^8.4.43"
- rollup: "npm:^4.20.0"
- peerDependencies:
- "@types/node": ^18.0.0 || >=20.0.0
- less: "*"
- lightningcss: ^1.21.0
- sass: "*"
- sass-embedded: "*"
- stylus: "*"
- sugarss: "*"
- terser: ^5.4.0
- dependenciesMeta:
- fsevents:
- optional: true
- peerDependenciesMeta:
- "@types/node":
- optional: true
- less:
- optional: true
- lightningcss:
- optional: true
- sass:
- optional: true
- sass-embedded:
- optional: true
- stylus:
- optional: true
- sugarss:
- optional: true
- terser:
- optional: true
- bin:
- vite: bin/vite.js
- checksum: 10/719c4dea896e9547958643354003c8c9ea98e5367196d98f5f46cffb3ec963fead3ea5853f5af941c79bbfb73583dec19bbb0d28d2f644b95d7f59c55e22919d
- languageName: node
- linkType: hard
-
-"vitest@npm:^2.1.8":
- version: 2.1.8
- resolution: "vitest@npm:2.1.8"
- dependencies:
- "@vitest/expect": "npm:2.1.8"
- "@vitest/mocker": "npm:2.1.8"
- "@vitest/pretty-format": "npm:^2.1.8"
- "@vitest/runner": "npm:2.1.8"
- "@vitest/snapshot": "npm:2.1.8"
- "@vitest/spy": "npm:2.1.8"
- "@vitest/utils": "npm:2.1.8"
- chai: "npm:^5.1.2"
- debug: "npm:^4.3.7"
- expect-type: "npm:^1.1.0"
- magic-string: "npm:^0.30.12"
- pathe: "npm:^1.1.2"
- std-env: "npm:^3.8.0"
- tinybench: "npm:^2.9.0"
- tinyexec: "npm:^0.3.1"
- tinypool: "npm:^1.0.1"
- tinyrainbow: "npm:^1.2.0"
- vite: "npm:^5.0.0"
- vite-node: "npm:2.1.8"
- why-is-node-running: "npm:^2.3.0"
- peerDependencies:
- "@edge-runtime/vm": "*"
- "@types/node": ^18.0.0 || >=20.0.0
- "@vitest/browser": 2.1.8
- "@vitest/ui": 2.1.8
- happy-dom: "*"
- jsdom: "*"
- peerDependenciesMeta:
- "@edge-runtime/vm":
- optional: true
- "@types/node":
- optional: true
- "@vitest/browser":
- optional: true
- "@vitest/ui":
- optional: true
- happy-dom:
- optional: true
- jsdom:
- optional: true
- bin:
- vitest: vitest.mjs
- checksum: 10/c2552c068f6faac82eb4e6debb9ed505c0e8016fd6e0a0f0e0dbb5b5417922fbcde80c54af0d3b5a5503a5d6ad6862b6e95b9b59b8b7e98bb553217b9c6fc227
- languageName: node
- linkType: hard
-
-"web-streams-polyfill@npm:4.0.0-beta.3":
- version: 4.0.0-beta.3
- resolution: "web-streams-polyfill@npm:4.0.0-beta.3"
- checksum: 10/dcdef67de57d83008f9dc330662b65ba4497315555dd0e4e7bcacb132ffdf8a830eaab8f74ad40a4a44f542461f51223f406e2a446ece1cc29927859b1405853
- languageName: node
- linkType: hard
-
-"web-streams-polyfill@npm:^3.0.3":
- version: 3.3.3
- resolution: "web-streams-polyfill@npm:3.3.3"
- checksum: 10/8e7e13501b3834094a50abe7c0b6456155a55d7571312b89570012ef47ec2a46d766934768c50aabad10a9c30dd764a407623e8bfcc74fcb58495c29130edea9
- languageName: node
- linkType: hard
-
-"webidl-conversions@npm:^3.0.0":
- version: 3.0.1
- resolution: "webidl-conversions@npm:3.0.1"
- checksum: 10/b65b9f8d6854572a84a5c69615152b63371395f0c5dcd6729c45789052296df54314db2bc3e977df41705eacb8bc79c247cee139a63fa695192f95816ed528ad
- languageName: node
- linkType: hard
-
"websocket@npm:^1.0.34":
version: 1.0.35
resolution: "websocket@npm:1.0.35"
@@ -6733,16 +4722,6 @@ __metadata:
languageName: node
linkType: hard
-"whatwg-url@npm:^5.0.0":
- version: 5.0.0
- resolution: "whatwg-url@npm:5.0.0"
- dependencies:
- tr46: "npm:~0.0.3"
- webidl-conversions: "npm:^3.0.0"
- checksum: 10/f95adbc1e80820828b45cc671d97da7cd5e4ef9deb426c31bcd5ab00dc7103042291613b3ef3caec0a2335ed09e0d5ed026c940755dbb6d404e2b27f940fdf07
- languageName: node
- linkType: hard
-
"which@npm:^2.0.1":
version: 2.0.2
resolution: "which@npm:2.0.2"
@@ -6765,18 +4744,6 @@ __metadata:
languageName: node
linkType: hard
-"why-is-node-running@npm:^2.3.0":
- version: 2.3.0
- resolution: "why-is-node-running@npm:2.3.0"
- dependencies:
- siginfo: "npm:^2.0.0"
- stackback: "npm:0.0.2"
- bin:
- why-is-node-running: cli.js
- checksum: 10/0de6e6cd8f2f94a8b5ca44e84cf1751eadcac3ebedcdc6e5fbbe6c8011904afcbc1a2777c53496ec02ced7b81f2e7eda61e76bf8262a8bc3ceaa1f6040508051
- languageName: node
- linkType: hard
-
"word-wrap@npm:^1.2.5":
version: 1.2.5
resolution: "word-wrap@npm:1.2.5"
@@ -6806,13 +4773,6 @@ __metadata:
languageName: node
linkType: hard
-"wrappy@npm:1":
- version: 1.0.2
- resolution: "wrappy@npm:1.0.2"
- checksum: 10/159da4805f7e84a3d003d8841557196034155008f817172d4e986bd591f74aa82aa7db55929a54222309e01079a65a92a9e6414da5a6aa4b01ee44a511ac3ee5
- languageName: node
- linkType: hard
-
"ws@npm:7.4.6":
version: 7.4.6
resolution: "ws@npm:7.4.6"
@@ -6889,13 +4849,6 @@ __metadata:
languageName: node
linkType: hard
-"yn@npm:3.1.1":
- version: 3.1.1
- resolution: "yn@npm:3.1.1"
- checksum: 10/2c487b0e149e746ef48cda9f8bad10fc83693cd69d7f9dcd8be4214e985de33a29c9e24f3c0d6bcf2288427040a8947406ab27f7af67ee9456e6b84854f02dd6
- languageName: node
- linkType: hard
-
"yocto-queue@npm:^0.1.0":
version: 0.1.0
resolution: "yocto-queue@npm:0.1.0"