Skip to content

Commit c64152f

Browse files
changes
1 parent 54a9656 commit c64152f

File tree

9 files changed

+190
-20
lines changed

9 files changed

+190
-20
lines changed

typescript/packages/core/src/wallets/core.ts

+5-1
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@ export type Balance = {
1414
* @param id - Chain ID, optional for EVM
1515
*/
1616
export type Chain = {
17-
type: "evm" | "solana";
17+
type: "evm" | "solana" | "aptos";
1818
id?: number; // optional for EVM
1919
};
2020

@@ -26,6 +26,10 @@ export type SolanaChain = Chain & {
2626
type: "solana";
2727
};
2828

29+
export type AptosChain = Chain & {
30+
type: "aptos";
31+
};
32+
2933
export interface WalletClient {
3034
getAddress: () => string;
3135
getChain: () => Chain;

typescript/packages/plugins/minting-api/src/index.ts

-1
This file was deleted.

typescript/packages/plugins/minting-api/package.json typescript/packages/plugins/solana-spl-tokens/package.json

+8-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
{
2-
"name": "@goat-sdk/plugins-crossmint-minting-api",
2+
"name": "@goat-sdk/plugin-solana-spl-tokens",
33
"version": "0.1.0",
44
"files": ["dist/**/*", "README.md", "package.json"],
55
"scripts": {
@@ -13,6 +13,13 @@
1313
"types": "./dist/index.d.ts",
1414
"dependencies": {
1515
"@goat-sdk/core": "workspace:*",
16+
"@metaplex-foundation/digital-asset-standard-api": "1.0.0",
17+
"@metaplex-foundation/mpl-bubblegum": "3.1.0",
18+
"@metaplex-foundation/umi": "^0.9.2",
19+
"@metaplex-foundation/umi-bundle-defaults": "0.9.2",
20+
"@metaplex-foundation/umi-web3js-adapters": "0.8.10",
21+
"@solana/spl-token": "0.4.9",
22+
"@solana/web3.js": "1.95.8",
1623
"viem": "^2.21.49",
1724
"zod": "^3.23.8"
1825
},
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export * from "./transfer";
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,145 @@
1+
import {
2+
type Commitment,
3+
type ConfirmOptions,
4+
type Connection,
5+
PublicKey,
6+
sendAndConfirmTransaction,
7+
type Signer,
8+
Transaction,
9+
} from "@solana/web3.js";
10+
import { z } from "zod";
11+
import type { Plugin, SolanaWalletClient } from "@goat-sdk/core";
12+
import {
13+
ASSOCIATED_TOKEN_PROGRAM_ID,
14+
createAssociatedTokenAccountInstruction,
15+
createTransferInstruction,
16+
getAccount,
17+
getAssociatedTokenAddressSync,
18+
getOrCreateAssociatedTokenAccount,
19+
TOKEN_PROGRAM_ID,
20+
TokenAccountNotFoundError,
21+
TokenInvalidAccountOwnerError,
22+
TokenInvalidMintError,
23+
TokenInvalidOwnerError,
24+
} from "@solana/spl-token";
25+
26+
export function splTransfer(connection: Connection): Plugin<SolanaWalletClient> {
27+
return {
28+
name: "spl_transfer",
29+
supportsSmartWallets: () => false,
30+
supportsChain: (chain) => chain.type === "solana",
31+
getTools: async () => {
32+
return [
33+
{
34+
name: "transfer_spl_token",
35+
description:
36+
"This {{tool}} sends an SPL token (e.g. USDC) from your wallet to an address on a Solana chain.",
37+
parameters: transferSplTokenParametersSchema,
38+
method: transferSplTokenMethod(connection),
39+
},
40+
];
41+
},
42+
};
43+
}
44+
45+
const transferSplTokenParametersSchema = z.object({
46+
recipientAddress: z.string().describe("The address to send the SPL token to"),
47+
tokenMintAddress: z.string().describe("The address of the SPL token to send"),
48+
amount: z.string().describe("The amount of SPL token to send"),
49+
});
50+
51+
const transferSplTokenMethod =
52+
(connection: Connection) =>
53+
async (
54+
walletClient: SolanaWalletClient,
55+
{ recipientAddress, tokenMintAddress, amount }: z.infer<typeof transferSplTokenParametersSchema>,
56+
): Promise<string> => {
57+
const tokenMint = new PublicKey(tokenMintAddress);
58+
const recipient = new PublicKey(recipientAddress);
59+
await getOrCreateAssociatedTokenAccountWalletClient(connection, walletClient, tokenMint, recipient);
60+
const senderTokenAccount = await getOrCreateAssociatedTokenAccountWalletClient(
61+
connection,
62+
walletClient,
63+
tokenMint,
64+
new PublicKey(walletClient.getAddress()),
65+
);
66+
console.log(`Resolved sender token account: ${senderTokenAccount.address.toBase58()}`);
67+
const receiverTokenAccount = await getOrCreateAssociatedTokenAccountWalletClient(
68+
connection,
69+
walletClient,
70+
tokenMint,
71+
recipient,
72+
);
73+
console.log(`Resolved receiver token account: ${receiverTokenAccount.address.toBase58()}`);
74+
const result = await walletClient.sendTransaction({
75+
instructions: [
76+
createTransferInstruction(
77+
senderTokenAccount.address,
78+
receiverTokenAccount.address,
79+
new PublicKey(walletClient.getAddress()),
80+
BigInt(amount),
81+
),
82+
],
83+
});
84+
return result.hash;
85+
};
86+
87+
// Copied from @solana/spl-token with modifications to use WalletClient instead of Signer
88+
type Account = Awaited<ReturnType<typeof getAccount>>;
89+
export async function getOrCreateAssociatedTokenAccountWalletClient(
90+
connection: Connection,
91+
walletClient: SolanaWalletClient,
92+
mint: PublicKey,
93+
owner: PublicKey,
94+
allowOwnerOffCurve = false,
95+
commitment?: Commitment,
96+
programId = TOKEN_PROGRAM_ID,
97+
associatedTokenProgramId = ASSOCIATED_TOKEN_PROGRAM_ID,
98+
): Promise<ReturnType<typeof getAccount>> {
99+
const associatedToken = getAssociatedTokenAddressSync(
100+
mint,
101+
owner,
102+
allowOwnerOffCurve,
103+
programId,
104+
associatedTokenProgramId,
105+
);
106+
107+
// This is the optimal logic, considering TX fee, client-side computation, RPC roundtrips and guaranteed idempotent.
108+
// Sadly we can't do this atomically.
109+
let account: Account;
110+
try {
111+
account = await getAccount(connection, associatedToken, commitment, programId);
112+
} catch (error: unknown) {
113+
// TokenAccountNotFoundError can be possible if the associated address has already received some lamports,
114+
// becoming a system account. Assuming program derived addressing is safe, this is the only case for the
115+
// TokenInvalidAccountOwnerError in this code path.
116+
if (error instanceof TokenAccountNotFoundError || error instanceof TokenInvalidAccountOwnerError) {
117+
// As this isn't atomic, it's possible others can create associated accounts meanwhile.
118+
try {
119+
const ix = createAssociatedTokenAccountInstruction(
120+
new PublicKey(walletClient.getAddress()),
121+
associatedToken,
122+
owner,
123+
mint,
124+
programId,
125+
associatedTokenProgramId,
126+
);
127+
128+
await walletClient.sendTransaction({ instructions: [ix] });
129+
} catch (error: unknown) {
130+
// Ignore all errors; for now there is no API-compatible way to selectively ignore the expected
131+
// instruction error if the associated account exists already.
132+
}
133+
134+
// Now this should always succeed
135+
account = await getAccount(connection, associatedToken, commitment, programId);
136+
} else {
137+
throw error;
138+
}
139+
}
140+
141+
if (!account.mint.equals(mint)) throw new TokenInvalidMintError();
142+
if (!account.owner.equals(owner)) throw new TokenInvalidOwnerError();
143+
144+
return account;
145+
}

typescript/packages/wallets/crossmint/src/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,14 @@
11
import { custodialFactory } from "./custodial";
22
import { faucetFactory } from "./faucet";
3+
import { mintingAPIFactory } from "./mintingAPI";
34
import { smartWalletFactory } from "./smart-wallet";
45

56
function crossmint(apiKey: string) {
67
return {
78
custodial: custodialFactory(apiKey),
89
smartwallet: smartWalletFactory(apiKey),
910
faucet: faucetFactory(apiKey),
11+
mintingAPI: mintingAPIFactory(apiKey),
1012
};
1113
}
1214

typescript/packages/plugins/minting-api/src/impl.ts typescript/packages/wallets/crossmint/src/mintingAPI.ts

+29-17
Original file line numberDiff line numberDiff line change
@@ -2,30 +2,32 @@ import { z } from "zod";
22
import type { Plugin, WalletClient } from "@goat-sdk/core";
33
import { randomUUID } from "node:crypto";
44

5-
export function mintAPI(apiKey: string): Plugin<WalletClient> {
6-
return {
5+
export const mintingAPIFactory = (
6+
apiKey: string,
7+
): ((options: { env: "production" | "staging" }) => Plugin<WalletClient>) => {
8+
return ({ env }) => ({
79
name: "minting_api",
810
supportsSmartWallets: () => true,
9-
supportsChain: (chain) => chain.type === "solana" || chain.type === "evm",
11+
supportsChain: (chain) => chain.type === "solana" || chain.type === "evm" || chain.type === "aptos",
1012
getTools: async () => {
1113
return [
1214
{
13-
name: "create_collection",
15+
name: "create_nft_collection",
1416
description: "This {{tool}} creates an NFT collection and returns the ID of the collection.",
1517
parameters: createCollectionParametersSchema,
16-
method: createCollectionMethod(apiKey),
18+
method: createCollectionMethod(apiKey, env),
1719
},
1820
{
1921
name: "mint_nft",
2022
description:
2123
"This {{tool}} mints an NFT to a recipient from a collection and returns the transaction hash. Requires a collection ID of an already deployed collection.",
2224
parameters: mintNFTParametersSchema,
23-
method: mintNFTMethod(apiKey),
25+
method: mintNFTMethod(apiKey, env),
2426
},
2527
];
2628
},
27-
};
28-
}
29+
});
30+
};
2931

3032
const createCollectionParametersSchema = z.object({
3133
metadata: z
@@ -57,10 +59,10 @@ const mintNFTParametersSchema = z.object({
5759
.describe("The metadata of the NFT"),
5860
});
5961

60-
function createCollectionMethod(apiKey: string) {
62+
function createCollectionMethod(apiKey: string, env: "staging" | "production") {
6163
return async (_walletClient: WalletClient, parameters: z.infer<typeof createCollectionParametersSchema>) => {
6264
const id = randomUUID().toString();
63-
await fetch(`https://staging.crossmint.com/api/2022-06-09/collections/${id}`, {
65+
await fetch(`${getBaseUrl(env)}/collections/${id}`, {
6466
method: "PUT",
6567
body: JSON.stringify({
6668
...parameters,
@@ -70,15 +72,19 @@ function createCollectionMethod(apiKey: string) {
7072
"Content-Type": "application/json",
7173
},
7274
});
73-
await waitForAction(id, apiKey);
74-
return id;
75+
const body = await waitForAction(id, apiKey, env);
76+
return {
77+
collectionId: id,
78+
chain: parameters.chain,
79+
contractAddress: body.data.collection.contractAddress,
80+
};
7581
};
7682
}
7783

78-
function mintNFTMethod(apiKey: string) {
84+
function mintNFTMethod(apiKey: string, env: "staging" | "production") {
7985
return async (_walletClient: WalletClient, parameters: z.infer<typeof mintNFTParametersSchema>) => {
8086
const id = randomUUID().toString();
81-
await fetch(`https://staging.crossmint.com/api/2022-06-09/collections/${parameters.collectionId}/nfts/${id}`, {
87+
await fetch(`${getBaseUrl(env)}/collections/${parameters.collectionId}/nfts/${id}`, {
8288
method: "PUT",
8389
body: JSON.stringify({
8490
recipient: parameters.recipient,
@@ -89,16 +95,16 @@ function mintNFTMethod(apiKey: string) {
8995
"Content-Type": "application/json",
9096
},
9197
});
92-
const body = await waitForAction(id, apiKey);
98+
const body = await waitForAction(id, apiKey, env);
9399
return body.data.txId as string;
94100
};
95101
}
96102

97-
async function waitForAction(actionId: string, apiKey: string) {
103+
async function waitForAction(actionId: string, apiKey: string, env: "staging" | "production") {
98104
let attempts = 0;
99105
while (true) {
100106
attempts++;
101-
const response = await fetch(`https://staging.crossmint.com/api/2022-06-09/actions/${actionId}`, {
107+
const response = await fetch(`${getBaseUrl(env)}/actions/${actionId}`, {
102108
headers: {
103109
"x-api-key": apiKey,
104110
},
@@ -114,3 +120,9 @@ async function waitForAction(actionId: string, apiKey: string) {
114120
}
115121
}
116122
}
123+
124+
function getBaseUrl(env: "staging" | "production") {
125+
return env === "staging"
126+
? "https://staging.crossmint.com/api/2022-06-09"
127+
: "https://www.crossmint.com/api/2022-06-09";
128+
}

0 commit comments

Comments
 (0)