@solana/spl-token#getAssociatedTokenAddress TypeScript Examples
The following examples show how to use
@solana/spl-token#getAssociatedTokenAddress.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: createTransfer.ts From solana-pay with Apache License 2.0 | 6 votes |
async function createSPLTokenInstruction(
recipient: PublicKey,
amount: BigNumber,
splToken: PublicKey,
sender: PublicKey,
connection: Connection
): Promise<TransactionInstruction> {
// Check that the token provided is an initialized mint
const mint = await getMint(connection, splToken);
if (!mint.isInitialized) throw new CreateTransferError('mint not initialized');
// Check that the amount provided doesn't have greater precision than the mint
if (amount.decimalPlaces() > mint.decimals) throw new CreateTransferError('amount decimals invalid');
// Convert input decimal amount to integer tokens according to the mint decimals
amount = amount.times(TEN.pow(mint.decimals)).integerValue(BigNumber.ROUND_FLOOR);
// Get the sender's ATA and check that the account exists and can send tokens
const senderATA = await getAssociatedTokenAddress(splToken, sender);
const senderAccount = await getAccount(connection, senderATA);
if (!senderAccount.isInitialized) throw new CreateTransferError('sender not initialized');
if (senderAccount.isFrozen) throw new CreateTransferError('sender frozen');
// Get the recipient's ATA and check that the account exists and can receive tokens
const recipientATA = await getAssociatedTokenAddress(splToken, recipient);
const recipientAccount = await getAccount(connection, recipientATA);
if (!recipientAccount.isInitialized) throw new CreateTransferError('recipient not initialized');
if (recipientAccount.isFrozen) throw new CreateTransferError('recipient frozen');
// Check that the sender has enough tokens
const tokens = BigInt(String(amount));
if (tokens > senderAccount.amount) throw new CreateTransferError('insufficient funds');
// Create an instruction to transfer SPL tokens, asserting the mint and decimals match
return createTransferCheckedInstruction(senderATA, splToken, recipientATA, sender, tokens, mint.decimals);
}
Example #2
Source File: validateTransfer.ts From solana-pay with Apache License 2.0 | 6 votes |
async function validateSPLTokenTransfer(
message: Message,
meta: ConfirmedTransactionMeta,
recipient: Recipient,
splToken: SPLToken
): Promise<[BigNumber, BigNumber]> {
const recipientATA = await getAssociatedTokenAddress(splToken, recipient);
const accountIndex = message.accountKeys.findIndex((pubkey) => pubkey.equals(recipientATA));
if (accountIndex === -1) throw new ValidateTransferError('recipient not found');
const preBalance = meta.preTokenBalances?.find((x) => x.accountIndex === accountIndex);
const postBalance = meta.postTokenBalances?.find((x) => x.accountIndex === accountIndex);
return [
new BigNumber(preBalance?.uiTokenAmount.uiAmountString || 0),
new BigNumber(postBalance?.uiTokenAmount.uiAmountString || 0),
];
}
Example #3
Source File: solana.tx.ts From tatum-js with MIT License | 6 votes |
transferNft = async (
body: TransferSolanaNft,
web3: SolanaWeb3,
provider?: string,
feePayer?: string,
feePayerPrivateKey?: string,
) => {
const connection = web3.getClient(provider)
const from = new PublicKey(body.from as string)
const transaction = new Transaction({ feePayer: feePayer ? new PublicKey(feePayer) : from })
const walletAddress = new PublicKey(body.to)
const mint = new PublicKey(body.contractAddress)
const toTokenAccountAddress = (
await PublicKey.findProgramAddress(
[new PublicKey(body.to).toBuffer(), TOKEN_PROGRAM_ID.toBuffer(), mint.toBuffer()],
SPL_ASSOCIATED_TOKEN_ACCOUNT_PROGRAM_ID,
)
)[0]
const fromTokenAddress = await getAssociatedTokenAddress(mint, from)
transaction.add(
createAssociatedTokenAccountInstruction(toTokenAccountAddress, from, walletAddress, mint),
createTransferInstruction(fromTokenAddress, toTokenAccountAddress, from, 1, [], TOKEN_PROGRAM_ID),
)
if (body.signatureId) {
transaction.recentBlockhash = '7WyEshBZcZwEbJsvSeGgCkSNMxxxFAym3x7Cuj6UjAUE'
return { txData: transaction.compileMessage().serialize().toString('hex') }
}
const signers = [web3.generateKeyPair(body.fromPrivateKey)]
if (feePayerPrivateKey) {
signers.push(web3.generateKeyPair(feePayerPrivateKey))
}
return {
txId: await connection.sendTransaction(transaction, signers),
}
}
Example #4
Source File: solana.tx.ts From tatum-js with MIT License | 5 votes |
transferSplToken = async (
body: TransferSolanaSpl,
web3: SolanaWeb3,
provider?: string,
feePayer?: string,
feePayerPrivateKey?: string,
) => {
const connection = web3.getClient(provider)
const from = new PublicKey(body.from as string)
const transaction = new Transaction({ feePayer: feePayer ? new PublicKey(feePayer) : from })
const mint = new PublicKey(body.contractAddress)
const to = new PublicKey(body.to)
const fromTokenAddress = await getAssociatedTokenAddress(mint, from)
const toTokenAccountAddress = await getAssociatedTokenAddress(mint, to)
try {
await getAccount(connection, toTokenAccountAddress)
} catch (e) {
transaction.add(createAssociatedTokenAccountInstruction(toTokenAccountAddress, from, to, mint))
}
transaction.add(
createTransferInstruction(
fromTokenAddress,
toTokenAccountAddress,
from,
new BigNumber(body.amount).multipliedBy(10 ** body.digits).toNumber(),
[],
TOKEN_PROGRAM_ID,
),
)
if (body.signatureId) {
transaction.recentBlockhash = '7WyEshBZcZwEbJsvSeGgCkSNMxxxFAym3x7Cuj6UjAUE'
return { txData: transaction.compileMessage().serialize().toString('hex') }
}
const signers = [web3.generateKeyPair(body.fromPrivateKey)]
if (feePayerPrivateKey) {
signers.push(web3.generateKeyPair(feePayerPrivateKey))
}
return {
txId: await connection.sendTransaction(transaction, signers),
}
}
Example #5
Source File: TransactionsProvider.tsx From solana-pay with Apache License 2.0 | 4 votes |
TransactionsProvider: FC<TransactionsProviderProps> = ({ children, pollInterval }) => {
pollInterval ||= 10000;
const { connection } = useConnection();
const { recipient, splToken } = useConfig();
const [associatedToken, setAssociatedToken] = useState<PublicKey>();
const [signatures, setSignatures] = useState<TransactionSignature[]>([]);
const [transactions, setTransactions] = useState<Transaction[]>([]);
const [loading, setLoading] = useState(false);
const getTokenAddress =
// Get the ATA for the recipient and token
useEffect(() => {
if (!splToken) {
return;
}
let changed = false;
(async () => {
const associatedToken = await getAssociatedTokenAddress(splToken, recipient);
//const associatedToken = null
if (changed) return;
setAssociatedToken(associatedToken);
})();
return () => {
changed = true;
setAssociatedToken(undefined);
};
}, [splToken, recipient]);
// Poll for signatures referencing the associated token account
useEffect(() => {
let changed = false;
const run = async () => {
try {
setLoading(true);
const confirmedSignatureInfos = await connection.getSignaturesForAddress(
associatedToken || recipient,
{ limit: 10 },
'confirmed'
);
if (changed) return;
setSignatures((prevSignatures) => {
const nextSignatures = confirmedSignatureInfos.map(({ signature }) => signature);
return arraysEqual(prevSignatures, nextSignatures) ? prevSignatures : nextSignatures;
});
} catch (error: any) {
console.error(error);
} finally {
setLoading(false);
}
};
const interval = setInterval(run, 5000);
void run();
return () => {
changed = true;
clearInterval(interval);
setSignatures([]);
};
}, [connection, associatedToken, recipient]);
// When the signatures change, poll and update the transactions
useEffect(() => {
if (!signatures.length) return;
let changed = false;
const run = async () => {
let parsedTransactions: (ParsedTransactionWithMeta | null)[],
signatureStatuses: RpcResponseAndContext<(SignatureStatus | null)[]>;
try {
setLoading(true);
[parsedTransactions, signatureStatuses] = await Promise.all([
connection.getParsedTransactions(signatures),
connection.getSignatureStatuses(signatures, { searchTransactionHistory: true }),
]);
} catch (error) {
if (changed) return;
console.error(error);
return;
} finally {
setLoading(false);
}
if (changed) return;
setTransactions(
signatures
.map((signature, signatureIndex): Transaction | undefined => {
const parsedTransaction = parsedTransactions[signatureIndex];
const signatureStatus = signatureStatuses.value[signatureIndex];
if (!parsedTransaction?.meta || !signatureStatus) return;
const timestamp = parsedTransaction.blockTime;
const error = parsedTransaction.meta.err;
const status = signatureStatus.confirmationStatus;
if (!timestamp || !status) return;
if (parsedTransaction.transaction.message.instructions.length !== 1) return;
const instruction = parsedTransaction.transaction.message.instructions[0];
if (!('program' in instruction)) return;
const program = instruction.program;
const type = instruction.parsed?.type;
const info = instruction.parsed.info;
let preAmount: BigNumber, postAmount: BigNumber;
if (!associatedToken) {
// Include only SystemProgram.transfer instructions
if (!(program === 'system' && type === 'transfer')) return;
// Include only transfers to the recipient
if (info?.destination !== recipient.toBase58()) return;
// Exclude self-transfers
if (info.source === recipient.toBase58()) return;
const accountIndex = parsedTransaction.transaction.message.accountKeys.findIndex(
({ pubkey }) => pubkey.equals(recipient)
);
if (accountIndex === -1) return;
const preBalance = parsedTransaction.meta.preBalances[accountIndex];
const postBalance = parsedTransaction.meta.postBalances[accountIndex];
preAmount = new BigNumber(preBalance).div(LAMPORTS_PER_SOL);
postAmount = new BigNumber(postBalance).div(LAMPORTS_PER_SOL);
} else {
// Include only TokenProgram.transfer / TokenProgram.transferChecked instructions
if (!(program === 'spl-token' && (type === 'transfer' || type === 'transferChecked')))
return;
// Include only transfers to the recipient ATA
if (info?.destination !== associatedToken.toBase58()) return;
// Exclude self-transfers
if (info.source === associatedToken.toBase58()) return;
const accountIndex = parsedTransaction.transaction.message.accountKeys.findIndex(
({ pubkey }) => pubkey.equals(associatedToken)
);
if (accountIndex === -1) return;
const preBalance = parsedTransaction.meta.preTokenBalances?.find(
(x) => x.accountIndex === accountIndex
);
if (!preBalance?.uiTokenAmount.uiAmountString) return;
const postBalance = parsedTransaction.meta.postTokenBalances?.find(
(x) => x.accountIndex === accountIndex
);
if (!postBalance?.uiTokenAmount.uiAmountString) return;
preAmount = new BigNumber(preBalance.uiTokenAmount.uiAmountString);
postAmount = new BigNumber(postBalance.uiTokenAmount.uiAmountString);
}
// Exclude negative amounts
if (postAmount.lt(preAmount)) return;
const amount = postAmount.minus(preAmount).toString();
const confirmations =
status === 'finalized'
? MAX_CONFIRMATIONS
: ((signatureStatus.confirmations || 0) as Confirmations);
return {
signature,
amount,
timestamp,
error,
status,
confirmations,
};
})
.filter((transaction): transaction is Transaction => !!transaction)
);
};
const interval = setInterval(run, pollInterval);
void run();
return () => {
changed = true;
clearInterval(interval);
};
}, [signatures, connection, associatedToken, recipient, pollInterval]);
return <TransactionsContext.Provider value={{ transactions, loading }}>{children}</TransactionsContext.Provider>;
}