Skip to content

Commit 56915b2

Browse files
committed
lookup
1 parent 07485e5 commit 56915b2

File tree

16 files changed

+162
-165
lines changed

16 files changed

+162
-165
lines changed

CHANGELOG.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
### 0.0.1
22

3-
- Intrododuced `@xmtp/resolver` helper library
3+
- Intrododuced `@xmtp/lookup` helper library
44
- Introduced a new `@xmtp/xmtp-starter` package for XMTP messaging
55
- Deprecated [MessageKit](https://github.com/ephemerahq/message-kit) framework & CLI in favor of a lower level wrapper

CONTRIBUTING.md

+2-2
Original file line numberDiff line numberDiff line change
@@ -29,13 +29,13 @@ yarn examples gm
2929
xmtp-agents/
3030
├── packages/
3131
│ ├── agent-starter
32-
│ └── resolver
32+
│ └── lookup
3333
└── examples/
3434
├── gated-group
3535
└── ... [your new example here]
3636
```
3737

38-
- **packages**: core libraries (`agent-starter`, `resolver`).
38+
- **packages**: core libraries (`agent-starter`, `lookup`).
3939
- **examples**: standalone demos (e.g., `gated-group`).
4040

4141
## Adding an example

README.md

+6-5
Original file line numberDiff line numberDiff line change
@@ -53,6 +53,7 @@ async function main() {
5353
encryptionKey: process.env.ENCRYPTION_KEY as string,
5454
onMessage: async (message: Message) => {
5555
console.log(`Decoded message: ${message.content.text}`);
56+
console.log(`from ${message.sender.address}`)
5657

5758
// Your AI model response
5859
const response = await api("Hi, how are you?");
@@ -65,7 +66,7 @@ async function main() {
6566
};
6667
});
6768

68-
console.log("Agent is up and running...");
69+
console.log("Agent is up and running on address " + agent.address);
6970
}
7071

7172
main().catch(console.error);
@@ -190,13 +191,13 @@ Interact with the XMTP protocol using [xmtp.chat](https://xmtp.chat) the officia
190191
191192
## Resolver library
192193

193-
This library helps you to resolve identities into EVM addresses compatible with XMTP.
194+
This library helps you to lookup identities into EVM addresses compatible with XMTP.
194195

195196
```tsx
196-
import { resolve } from "@xmtp/resolver";
197+
import { lookup } from "@xmtp/lookup";
197198

198199
const identifier = "vitalik.eth";
199-
const info = await resolve(identifier);
200+
const info = await lookup(identifier);
200201

201202
console.log(info);
202203
/*
@@ -211,7 +212,7 @@ console.log(info);
211212
*/
212213
```
213214

214-
> Learn more about [`@xmtp/resolver`](/packages/resolver/) library
215+
> Learn more about [`lookup`](/packages/lookup/) library
215216
216217
## Development
217218

examples/express/README.md

+27-69
Original file line numberDiff line numberDiff line change
@@ -5,114 +5,72 @@
55
66
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.
77

8-
1. **Use XMTP** only once to exchange public addresses.
8+
1. **Use XMTP** network only once to exchange a shared secret. You only need to know the sender/reciever xmtp address (evm).
99
2. **Encrypt** messages locally with [`@xmtp/agent-starter`](https://github.com/xmtp-labs/agent-starter).
1010
3. **Send** only `nonce` + `ciphertext` across your own servers, **no plaintext** ever leaves your app.
11-
12-
## Code example
11+
4. **Decrypt**: Recive the message using a standard web2 API and decrypt it.
1312

1413
Below is a simple example using Node.js and Express to demonstrate the encryption and decryption process.
1514

16-
### Import dependencies
15+
## Sending encrypted message
16+
17+
#### Create XMTP client
1718

1819
```javascript
19-
import express from "express";
20-
import fetch from "node-fetch";
2120
import { xmtpClient } from "@xmtp/agent-starter";
22-
```
23-
24-
### Create XMTP clients
2521

26-
```javascript
2722
async function main() {
2823
const agentA = await xmtpClient({ name: "bob" });
29-
const agentB = await xmtpClient({ name: "alice" });
3024
// ...
3125
}
3226
```
3327

34-
### Encryption
35-
3628
Agent A encrypts a message intended for Agent B.
3729

38-
```javascript
39-
const { nonce, ciphertext } = await agentA.encrypt(
40-
"Hello from A!",
41-
agentB.address,
42-
);
30+
```tsx
31+
setTimeout(async () => {
32+
const { nonce, ciphertext } = await agentA.encrypt(
33+
"Hello from A!",
34+
agentB.address,
35+
);
36+
await fetch("http://localhost:3001/receive", {
37+
method: "POST",
38+
headers: { "Content-Type": "application/json" },
39+
body: JSON.stringify({ nonce, ciphertext, fromAddress: agentA.address }),
40+
});
41+
}, 2000);
4342
```
4443

4544
- **agentA.encrypt**: This function encrypts the plaintext message "Hello from A!" using Agent B's address.
4645
- **nonce**: A unique number used once to ensure that the same plaintext will encrypt to different ciphertexts each time.
4746
- **ciphertext**: The encrypted version of the message that can be safely sent over the network.
4847

49-
### Decryption
48+
### Decrypting message
5049

51-
Agent B decrypts the received message.
50+
#### Create XMTP client
5251

5352
```javascript
54-
appB.post("/receive", async (req, res) => {
55-
const { nonce, ciphertext, fromAddress } = req.body;
56-
const msg = await agentB.decrypt(nonce, ciphertext, fromAddress);
57-
console.log("B decrypted:", msg);
58-
res.json({ success: true });
59-
});
60-
```
61-
62-
- **agentB.decrypt**: This function takes the `nonce`, `ciphertext`, and the sender's address (`fromAddress`) as inputs to decrypt the message.
63-
- **msg**: The decrypted plaintext message that was originally sent by Agent A.
64-
65-
### Express servers
66-
67-
#### Server for Agent A
68-
69-
```javascript
70-
const appA = express();
71-
appA.use(express.json());
72-
73-
appA.post("/receive", async (req, res) => {
74-
const { nonce, ciphertext, fromAddress } = req.body;
75-
const msg = await agentA.decrypt(nonce, ciphertext, fromAddress);
76-
console.log("A decrypted:", msg);
77-
res.json({ success: true });
78-
});
53+
import { xmtpClient } from "@xmtp/agent-starter";
7954

80-
appA.listen(3000, () => console.log("Server A on 3000"));
55+
async function main() {
56+
const agentB = await xmtpClient({ name: "bob" });
57+
// ...
58+
}
8159
```
8260

83-
#### Server for Agent B
61+
Agent B decrypts the received message.
8462

8563
```javascript
86-
const appB = express();
87-
appB.use(express.json());
88-
8964
appB.post("/receive", async (req, res) => {
9065
const { nonce, ciphertext, fromAddress } = req.body;
9166
const msg = await agentB.decrypt(nonce, ciphertext, fromAddress);
9267
console.log("B decrypted:", msg);
9368
res.json({ success: true });
9469
});
95-
96-
appB.listen(3001, () => console.log("Server B on 3001"));
9770
```
9871

99-
### Sending encrypted messages
100-
101-
Agent A sends the encrypted message to Agent B's server.
102-
103-
```javascript
104-
setTimeout(async () => {
105-
const { nonce, ciphertext } = await agentA.encrypt(
106-
"Hello from A!",
107-
agentB.address,
108-
);
109-
await fetch("http://localhost:3001/receive", {
110-
method: "POST",
111-
headers: { "Content-Type": "application/json" },
112-
body: JSON.stringify({ nonce, ciphertext, fromAddress: agentA.address }),
113-
});
114-
}, 2000);
115-
```
72+
- **agentB.decrypt**: This function takes the `nonce`, `ciphertext`, and the sender's address (`fromAddress`) as inputs to decrypt the message.
73+
- **msg**: The decrypted plaintext message that was originally sent by Agent A.
11674

11775
### Summary
11876

packages/agent-starter/README.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,7 @@ await group.addMembers([0xaddresses]);
106106

107107
```tsx
108108
const agent = await xmtpClient({
109-
name: "_agentA", // Optional alias for this agent's key
109+
name: "agentA", // Optional suffix for this agent's key
110110
});
111111
```
112112

packages/agent-starter/src/content-types/agent-message.ts

-4
Original file line numberDiff line numberDiff line change
@@ -16,10 +16,6 @@ export const ContentTypeAgentMessage = new ContentTypeId({
1616
export class AgentMessage {
1717
public text: string;
1818
public metadata: {
19-
agentId: string;
20-
skillUsed?: string;
21-
timestamp: number;
22-
isAgent: boolean;
2319
[key: string]: any; // Allow for flexible metadata
2420
};
2521

packages/agent-starter/src/lib/xmtp.ts

+8-7
Original file line numberDiff line numberDiff line change
@@ -61,17 +61,18 @@ export class XMTP {
6161
}
6262

6363
async init(): Promise<XMTP> {
64+
let suffix = this.agent?.name ? "_" + this.agent?.name : "";
6465
let fixedKey =
6566
this.agent?.fixedKey ??
66-
process.env["FIXED_KEY" + (this.agent?.name ?? "")] ??
67+
process.env["FIXED_KEY" + suffix] ??
6768
toHex(getRandomValues(new Uint8Array(32)));
6869

6970
if (!fixedKey.startsWith("0x")) {
7071
fixedKey = "0x" + fixedKey;
7172
}
7273
let encryptionKey =
7374
this.agent?.encryptionKey ??
74-
process.env["ENCRYPTION_KEY" + (this.agent?.name ?? "")] ??
75+
process.env["ENCRYPTION_KEY" + suffix] ??
7576
toHex(getRandomValues(new Uint8Array(32)));
7677

7778
if (!encryptionKey.startsWith("0x")) {
@@ -119,12 +120,12 @@ export class XMTP {
119120
this.inboxId = client.inboxId;
120121
this.address = client.accountAddress;
121122
Promise.all([streamMessages(this.onMessage, client, this)]);
122-
this.saveKeys(this.agent?.name ?? "", fixedKey, encryptionKey);
123+
this.saveKeys(suffix, fixedKey, encryptionKey);
123124
return this;
124125
}
125-
saveKeys(agentName: string, fixedKey: string, encryptionKey: string) {
126+
saveKeys(suffix: string, fixedKey: string, encryptionKey: string) {
126127
const envFilePath = path.resolve(process.cwd(), ".env");
127-
const envContent = `\nFIXED_KEY${agentName}=${fixedKey}\nENCRYPTION_KEY${agentName}=${encryptionKey}`;
128+
const envContent = `\nFIXED_KEY${suffix}=${fixedKey}\nENCRYPTION_KEY${suffix}=${encryptionKey}`;
128129

129130
// Read the existing .env file content
130131
let existingEnvContent = "";
@@ -134,8 +135,8 @@ export class XMTP {
134135

135136
// Check if the keys already exist
136137
if (
137-
!existingEnvContent.includes(`FIXED_KEY${agentName}=`) &&
138-
!existingEnvContent.includes(`ENCRYPTION_KEY${agentName}=`)
138+
!existingEnvContent.includes(`FIXED_KEY${suffix}=`) &&
139+
!existingEnvContent.includes(`ENCRYPTION_KEY${suffix}=`)
139140
) {
140141
fs.appendFileSync(envFilePath, envContent);
141142
}

packages/resolver/README.md packages/lookup/README.md

+7-7
Original file line numberDiff line numberDiff line change
@@ -1,21 +1,21 @@
1-
# @xmtp/resolver
1+
# Lookup library
22

3-
The resolver library provides tools for resolving identities to EVM addresses and keeping track of them in a cache
3+
The lookup library provides tools for resolving identities to EVM addresses and keeping track of them in a cache
44

55
## Install
66

77
```bash [yarn]
8-
yarn add @xmtp/resolver
8+
yarn add @xmtp/lookup
99
```
1010

1111
## Overview
1212

1313
```typescript
14-
import { resolve } from "@xmtp/resolver";
14+
import { lookup } from "@xmtp/lookup";
1515

1616
// Because user identifiers come in all shapes and sizes!
1717
const identifier = "vitalik.eth"; // Could also be "0x123...", "@fabri", or even a website
18-
const info = await resolve(identifier);
18+
const info = await lookup(identifier);
1919

2020
console.log(info);
2121
/*
@@ -41,7 +41,7 @@ console.log(info);
4141

4242
### Returned UserInfo
4343

44-
The resolver always returns a `UserInfo` object with these fields:
44+
The lookup always returns a `UserInfo` object with these fields:
4545

4646
| Field | Description |
4747
| -------------------- | ------------------------------------------ |
@@ -57,7 +57,7 @@ The resolver always returns a `UserInfo` object with these fields:
5757
Skip the repeated lookups—use the built-in cache to store user data. Clear it whenever you need a fresh slate:
5858

5959
```typescript
60-
import { cache } from "@xmtp/resolver";
60+
import { cache } from "@xmtp/lookup";
6161

6262
// Clear the entire cache:
6363
cache.clear();

packages/resolver/package.json packages/lookup/package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
{
2-
"name": "@xmtp/resolver",
2+
"name": "@xmtp/lookup",
33
"version": "0.0.2",
44
"license": "MIT",
55
"type": "module",
File renamed without changes.

0 commit comments

Comments
 (0)