Skip to content

Commit 1c013ba

Browse files
committed
Finish plugin V2 base
1 parent 2f6b7c6 commit 1c013ba

11 files changed

+541
-3
lines changed

agent/package.json

+1
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,7 @@
4747
"@elizaos/plugin-nft-generation": "workspace:*",
4848
"@elizaos/plugin-node": "workspace:*",
4949
"@elizaos/plugin-solana": "workspace:*",
50+
"@elizaos/plugin-solana-v2": "workspace:*",
5051
"@elizaos/plugin-starknet": "workspace:*",
5152
"@elizaos/plugin-ton": "workspace:*",
5253
"@elizaos/plugin-sui": "workspace:*",

agent/src/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -54,6 +54,7 @@ import { nearPlugin } from "@elizaos/plugin-near";
5454
import { nftGenerationPlugin } from "@elizaos/plugin-nft-generation";
5555
import { createNodePlugin } from "@elizaos/plugin-node";
5656
import { solanaPlugin } from "@elizaos/plugin-solana";
57+
import { solanaPluginV2 } from "@elizaos/plugin-solana-v2";
5758
import { suiPlugin } from "@elizaos/plugin-sui";
5859
import { TEEMode, teePlugin } from "@elizaos/plugin-tee";
5960
import { tonPlugin } from "@elizaos/plugin-ton";

packages/plugin-solana-v2/package.json

+3-1
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,9 @@
77
"dependencies": {
88
"@elizaos/core": "workspace:*",
99
"@elizaos/plugin-tee": "workspace:*",
10-
"@orca-so/whirlpools": "^1.0.0",
10+
"@orca-so/whirlpools": "^1.0.2",
11+
"@orca-so/whirlpools-core": "^1.0.2",
12+
"@orca-so/whirlpools-client": "1.0.2",
1113
"@solana-program/compute-budget": "^0.6.1",
1214
"@solana-program/system": "^0.6.2",
1315
"@solana-program/token-2022": "^0.3.1",
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,188 @@
1+
import { Action, ActionExample, composeContext, Content, elizaLogger, generateObject, HandlerCallback, IAgentRuntime, Memory, ModelClass, settings, State } from "@elizaos/core";
2+
import { address, Address, createSolanaRpc } from "@solana/web3.js";
3+
import { fetchPositionsForOwner, HydratedPosition } from "@orca-so/whirlpools"
4+
import { loadWallet } from "../../utils/loadWallet";
5+
import { fetchWhirlpool, Whirlpool } from "@orca-so/whirlpools-client";
6+
import { sqrtPriceToPrice, tickIndexToPrice } from "@orca-so/whirlpools-core";
7+
import { fetchMint, Mint } from "@solana-program/token-2022"
8+
9+
export interface fetchPositionsByOwnerContent extends Content {
10+
owner: Address | null;
11+
}
12+
13+
interface FetchedPositionResponse {
14+
whirlpoolAddress: Address;
15+
positionMint: Address;
16+
inRange: boolean;
17+
distanceCenterPositionFromPoolPriceBps: number;
18+
positionWidthBps: number;
19+
}
20+
21+
function isPositionOwnerContent(
22+
content: any
23+
): content is fetchPositionsByOwnerContent {
24+
return (typeof content.owner === "string") || (content.owner === null);
25+
}
26+
27+
export default {
28+
name: "FETCH_POSITIONS_BY_OWNER",
29+
similes: [
30+
"FETCH_POSITIONS",
31+
"FETCH_ORCA_POSITIONS",
32+
"FETCH_ORCA_POSITIONS_BY_OWNER",
33+
"FETCH_ORCA_POSITIONS_BY_WALLET",
34+
],
35+
validate: async (runtime: IAgentRuntime, message: Memory) => {
36+
console.log("Validating transfer from user:", message.userId);
37+
return true;
38+
},
39+
description: "Fetch all positions on Orca for the agent's wallet",
40+
handler: async (
41+
runtime: IAgentRuntime,
42+
message: Memory,
43+
state: State,
44+
_options: { [key: string]: unknown },
45+
callback?: HandlerCallback
46+
): Promise<boolean> => {
47+
elizaLogger.log("Fetching positions from Orca...");
48+
49+
// Initialize or update state
50+
if (!state) {
51+
state = (await runtime.composeState(message)) as State;
52+
} else {
53+
state = await runtime.updateRecentMessageState(state);
54+
}
55+
56+
// Compose fetch positions context
57+
const fetchPositionsContext = composeContext({
58+
state,
59+
template: `Respond with a JSON markdown block containing only the extracted values. Use null for any values that cannot be determined.
60+
61+
Example response:
62+
\`\`\`json
63+
{
64+
owner: "BieefG47jAHCGZBxi2q87RDuHyGZyYC3vAzxpyu8pump"
65+
}
66+
\`\`\`
67+
`,
68+
});
69+
70+
// Generate fetch positions content
71+
const content = await generateObject({
72+
runtime,
73+
context: fetchPositionsContext,
74+
modelClass: ModelClass.LARGE,
75+
});
76+
77+
if(!isPositionOwnerContent(content)) {
78+
if (callback) {
79+
callback({
80+
text: "Unable to process transfer request. Invalid content provided.",
81+
content: { error: "Invalid transfer content" },
82+
});
83+
}
84+
return false;
85+
}
86+
87+
try {
88+
let ownerAddress: Address;
89+
if (content.owner) {
90+
ownerAddress = address(content.owner);
91+
} else {
92+
const { address } = await loadWallet(
93+
runtime,
94+
true
95+
);
96+
ownerAddress = address;
97+
}
98+
99+
100+
const rpc = createSolanaRpc(settings.RPC_URL!);
101+
const positions = await fetchPositionsForOwner(rpc, ownerAddress);
102+
103+
const fetchedWhirlpools: Map<string, Whirlpool> = new Map();
104+
const fetchedMints: Map<string, Mint> = new Map();
105+
const positionContent: FetchedPositionResponse[] = await Promise.all(positions.map(async (position) => {
106+
const positionData = (position as HydratedPosition).data;
107+
const positionMint = positionData.positionMint
108+
const whirlpoolAddress = positionData.whirlpool;
109+
if (!fetchedWhirlpools.has(whirlpoolAddress)) {
110+
const whirlpool = await fetchWhirlpool(rpc, whirlpoolAddress);
111+
if (whirlpool) {
112+
fetchedWhirlpools.set(whirlpoolAddress, whirlpool.data);
113+
}
114+
}
115+
const whirlpool = fetchedWhirlpools.get(whirlpoolAddress);
116+
const { tokenMintA, tokenMintB } = whirlpool;
117+
if (!fetchedMints.has(tokenMintA)) {
118+
const mintA = await fetchMint(rpc, tokenMintA);
119+
fetchedMints.set(tokenMintA, mintA.data);
120+
}
121+
if (!fetchedMints.has(tokenMintB)) {
122+
const mintB = await fetchMint(rpc, tokenMintB);
123+
fetchedMints.set(tokenMintB, mintB.data);
124+
}
125+
const mintA = fetchedMints.get(tokenMintA);
126+
const mintB = fetchedMints.get(tokenMintB);
127+
const currentPrice = sqrtPriceToPrice(whirlpool.sqrtPrice, mintA.decimals, mintB.decimals);
128+
const positionLowerPrice = tickIndexToPrice(positionData.tickLowerIndex, mintA.decimals, mintB.decimals);
129+
const positionUpperPrice = tickIndexToPrice(positionData.tickUpperIndex, mintA.decimals, mintB.decimals);
130+
131+
const inRange = currentPrice >= positionLowerPrice && currentPrice <= positionUpperPrice;
132+
const positionCenterPrice = (positionLowerPrice + positionUpperPrice) / 2;
133+
const distanceCenterPositionFromPoolPriceBps = Math.abs(currentPrice - positionCenterPrice) / currentPrice * 10000;
134+
const positionWidthBps = (positionUpperPrice - positionLowerPrice) / positionCenterPrice * 10000;
135+
136+
return {
137+
whirlpoolAddress,
138+
positionMint: positionMint,
139+
inRange,
140+
distanceCenterPositionFromPoolPriceBps,
141+
positionWidthBps,
142+
} as FetchedPositionResponse;
143+
}));
144+
145+
if (callback) {
146+
callback({
147+
text: JSON.stringify(positionContent, null, 2),
148+
});
149+
}
150+
151+
return true;
152+
} catch (error) {
153+
console.error("Error during feching positions", error);
154+
if (callback) {
155+
callback({
156+
text: `Error transferring tokens: ${error.message}`,
157+
content: { error: error.message },
158+
});
159+
}
160+
return false;
161+
}
162+
},
163+
164+
examples: [
165+
[
166+
{
167+
user: "{{user1}}",
168+
content: {
169+
text: "Fetch all positions on Orca for the agent's wallet",
170+
},
171+
},
172+
{
173+
user: "{{user2}}",
174+
content: {
175+
text: "What are my positions on Orca?",
176+
action: "FETCH_ORCA_POSITIONS_BY_WALLET",
177+
},
178+
},
179+
{
180+
user: "{{user2}}",
181+
content: {
182+
text: "What are the position for owner BieefG47jAHCGZBxi2q87RDuHyGZyYC3vAzxpyu8pump?",
183+
action: "FETCH_ORCA_POSITIONS_BY_OWNER",
184+
},
185+
},
186+
],
187+
] as ActionExample[][],
188+
} as Action;
+14
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
import fetchPositionByOwner from "./actions/orca/fetchPositionsByOwner";
2+
import { Plugin } from "@elizaos/core";
3+
4+
export const solanaPluginV2: Plugin = {
5+
name: "solanaV2",
6+
description: "Solana Plugin V2 for Eliza",
7+
actions: [
8+
fetchPositionByOwner
9+
],
10+
evaluators: [],
11+
providers: [],
12+
};
13+
14+
export default solanaPluginV2;
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,140 @@
1+
import { IAgentRuntime, Memory, Provider, State } from "@elizaos/core";
2+
import { createKeyPairSignerFromBytes, KeyPairSigner } from "@solana/web3.js";
3+
import crypto from "crypto";
4+
import { DeriveKeyResponse, TappdClient } from "@phala/dstack-sdk";
5+
import { privateKeyToAccount } from "viem/accounts";
6+
import { PrivateKeyAccount, keccak256 } from "viem";
7+
import { RemoteAttestationProvider } from "./remoteAttestationProvider";
8+
import { TEEMode, RemoteAttestationQuote } from "./types";
9+
10+
interface DeriveKeyAttestationData {
11+
agentId: string;
12+
publicKey: string;
13+
}
14+
15+
class DeriveKeyProvider {
16+
private client: TappdClient;
17+
private raProvider: RemoteAttestationProvider;
18+
19+
constructor(teeMode?: string) {
20+
let endpoint: string | undefined;
21+
22+
// Both LOCAL and DOCKER modes use the simulator, just with different endpoints
23+
switch (teeMode) {
24+
case TEEMode.LOCAL:
25+
endpoint = "http://localhost:8090";
26+
console.log(
27+
"TEE: Connecting to local simulator at localhost:8090"
28+
);
29+
break;
30+
case TEEMode.DOCKER:
31+
endpoint = "http://host.docker.internal:8090";
32+
console.log(
33+
"TEE: Connecting to simulator via Docker at host.docker.internal:8090"
34+
);
35+
break;
36+
case TEEMode.PRODUCTION:
37+
endpoint = undefined;
38+
console.log(
39+
"TEE: Running in production mode without simulator"
40+
);
41+
break;
42+
default:
43+
throw new Error(
44+
`Invalid TEE_MODE: ${teeMode}. Must be one of: LOCAL, DOCKER, PRODUCTION`
45+
);
46+
}
47+
48+
this.client = endpoint ? new TappdClient(endpoint) : new TappdClient();
49+
this.raProvider = new RemoteAttestationProvider(teeMode);
50+
}
51+
52+
private async generateDeriveKeyAttestation(
53+
agentId: string,
54+
publicKey: string
55+
): Promise<RemoteAttestationQuote> {
56+
const deriveKeyData: DeriveKeyAttestationData = {
57+
agentId,
58+
publicKey,
59+
};
60+
const reportdata = JSON.stringify(deriveKeyData);
61+
console.log("Generating Remote Attestation Quote for Derive Key...");
62+
const quote = await this.raProvider.generateAttestation(reportdata);
63+
console.log("Remote Attestation Quote generated successfully!");
64+
return quote;
65+
}
66+
67+
async deriveEd25519Keypair(
68+
path: string,
69+
subject: string,
70+
agentId: string
71+
): Promise<{ keypair: KeyPairSigner; attestation: RemoteAttestationQuote }> {
72+
try {
73+
if (!path || !subject) {
74+
console.error(
75+
"Path and Subject are required for key derivation"
76+
);
77+
}
78+
79+
console.log("Deriving Key in TEE...");
80+
const derivedKey = await this.client.deriveKey(path, subject);
81+
const uint8ArrayDerivedKey = derivedKey.asUint8Array();
82+
83+
const hash = crypto.createHash("sha256");
84+
hash.update(uint8ArrayDerivedKey);
85+
const seed = hash.digest();
86+
const seedArray = new Uint8Array(seed);
87+
const keypair = await createKeyPairSignerFromBytes(seedArray.slice(0, 32));
88+
89+
// Generate an attestation for the derived key data for public to verify
90+
const attestation = await this.generateDeriveKeyAttestation(
91+
agentId,
92+
keypair.address
93+
);
94+
console.log("Key Derived Successfully!");
95+
96+
return { keypair, attestation };
97+
} catch (error) {
98+
console.error("Error deriving key:", error);
99+
throw error;
100+
}
101+
}
102+
}
103+
104+
const deriveKeyProvider: Provider = {
105+
get: async (runtime: IAgentRuntime, _message?: Memory, _state?: State) => {
106+
const teeMode = runtime.getSetting("TEE_MODE");
107+
const provider = new DeriveKeyProvider(teeMode);
108+
const agentId = runtime.agentId;
109+
try {
110+
// Validate wallet configuration
111+
if (!runtime.getSetting("WALLET_SECRET_SALT")) {
112+
console.error(
113+
"Wallet secret salt is not configured in settings"
114+
);
115+
return "";
116+
}
117+
118+
try {
119+
const secretSalt =
120+
runtime.getSetting("WALLET_SECRET_SALT") || "secret_salt";
121+
const solanaKeypair = await provider.deriveEd25519Keypair(
122+
"/",
123+
secretSalt,
124+
agentId
125+
);
126+
return JSON.stringify({
127+
solana: solanaKeypair.keypair.address,
128+
});
129+
} catch (error) {
130+
console.error("Error creating PublicKey:", error);
131+
return "";
132+
}
133+
} catch (error) {
134+
console.error("Error in derive key provider:", error.message);
135+
return `Failed to fetch derive key information: ${error instanceof Error ? error.message : "Unknown error"}`;
136+
}
137+
},
138+
};
139+
140+
export { deriveKeyProvider, DeriveKeyProvider };

0 commit comments

Comments
 (0)