مزامنة SOL الأصلي
مزامنة SOL الأصلي
SOL المغلف (WSOL) هو حساب رمز يتتبع كمية اللامبورت في الحساب كرصيد للرمز. يتيح WSOL التكامل مع بروتوكولات التمويل اللامركزي (DeFi) لنقل SOL كرمز SPL.
تعليمة
SyncNative
تقوم بمزامنة رصيد حساب رمز SOL المغلف (WSOL) مع SOL الفعلي (لامبورت) المخزن فيه.
عندما تقوم بتحويل SOL الأصلي إلى حساب رمز WSOL، لا يتم تحديث رصيد الرمز
تلقائيًا. يجب عليك استدعاء SyncNative لعكس رصيد WSOL الصحيح.
يشترك برنامج الرمز وبرنامج امتداد الرمز في تنفيذات متشابهة لتحقيق نفس الوظيفة.
تايبسكريبت
import {airdropFactory,appendTransactionMessageInstructions,createSolanaRpc,createSolanaRpcSubscriptions,createTransactionMessage,generateKeyPairSigner,getSignatureFromTransaction,lamports,pipe,sendAndConfirmTransactionFactory,setTransactionMessageFeePayerSigner,setTransactionMessageLifetimeUsingBlockhash,signTransactionMessageWithSigners,address} from "@solana/kit";import { getTransferSolInstruction } from "@solana-program/system";import {getCreateAssociatedTokenInstructionAsync,TOKEN_PROGRAM_ADDRESS,findAssociatedTokenPda,getSyncNativeInstruction} from "@solana-program/token";// Create Connection, local validator in this exampleconst rpc = createSolanaRpc("http://localhost:8899");const rpcSubscriptions = createSolanaRpcSubscriptions("ws://localhost:8900");// Generate keypairs for fee payerconst feePayer = await generateKeyPairSigner();// Fund fee payerawait airdropFactory({ rpc, rpcSubscriptions })({recipientAddress: feePayer.address,lamports: lamports(2_000_000_000n),commitment: "confirmed"});// Native mint (Wrapped SOL) addressconst NATIVE_MINT = address("So11111111111111111111111111111111111111112");// Use findAssociatedTokenPda to derive the ATA address for WSOLconst [associatedTokenAddress] = await findAssociatedTokenPda({mint: NATIVE_MINT,owner: feePayer.address,tokenProgram: TOKEN_PROGRAM_ADDRESS});// Get latest blockhash to include in transactionconst { value: latestBlockhash } = await rpc.getLatestBlockhash().send();// Create instruction to create the WSOL associated token accountconst createAtaInstruction = await getCreateAssociatedTokenInstructionAsync({payer: feePayer,mint: NATIVE_MINT,owner: feePayer.address});// Amount to wrap (1 SOL = 1,000,000,000 lamports)const amountToSync = 1_000_000_000n;// Create instruction to transfer SOL to the WSOL token accountconst transferSolInstruction = getTransferSolInstruction({source: feePayer,destination: associatedTokenAddress,amount: amountToSync});// Create instruction to sync native SOL balance with WSOL token balanceconst syncNativeInstruction = getSyncNativeInstruction({account: associatedTokenAddress});const instructions = [createAtaInstruction,transferSolInstruction,syncNativeInstruction];// Create transaction messageconst transactionMessage = pipe(createTransactionMessage({ version: 0 }),(tx) => setTransactionMessageFeePayerSigner(feePayer, tx),(tx) => setTransactionMessageLifetimeUsingBlockhash(latestBlockhash, tx),(tx) => appendTransactionMessageInstructions(instructions, tx));// Sign transaction message with all required signersconst signedTransaction =await signTransactionMessageWithSigners(transactionMessage);// Send and confirm transactionawait sendAndConfirmTransactionFactory({ rpc, rpcSubscriptions })(signedTransaction,{ commitment: "confirmed" });// Get transaction signatureconst transactionSignature = getSignatureFromTransaction(signedTransaction);console.log("Fee Payer Address:", feePayer.address.toString());console.log("WSOL Token Account Address:", associatedTokenAddress.toString());console.log("Successfully wrapped 1.0 SOL into WSOL");console.log("Transaction Signature:", transactionSignature);
Console
Click to execute the code.
راست
Rust
use anyhow::Result;use solana_client::nonblocking::rpc_client::RpcClient;use solana_commitment_config::CommitmentConfig;use solana_sdk::{signature::{Keypair, Signer},transaction::Transaction,};use solana_system_interface::instruction::transfer;use spl_associated_token_account_interface::{address::get_associated_token_address, instruction::create_associated_token_account,};use spl_token_interface::{id as token_program_id, instruction::sync_native, native_mint::ID as NATIVE_MINT_ID,};#[tokio::main]async fn main() -> Result<()> {// Create connection to local validatorlet client = RpcClient::new_with_commitment(String::from("http://localhost:8899"),CommitmentConfig::confirmed(),);let latest_blockhash = client.get_latest_blockhash().await?;// Generate a new keypair for the fee payerlet fee_payer = Keypair::new();// Airdrop 2 SOL to fee payerlet airdrop_signature = client.request_airdrop(&fee_payer.pubkey(), 2_000_000_000).await?;client.confirm_transaction(&airdrop_signature).await?;loop {let confirmed = client.confirm_transaction(&airdrop_signature).await?;if confirmed {break;}}// Get associated token account address for WSOLlet associated_token_address = get_associated_token_address(&fee_payer.pubkey(), // owner&NATIVE_MINT_ID, // mint (Wrapped SOL));// Instruction to create associated token account for WSOLlet create_ata_instruction = create_associated_token_account(&fee_payer.pubkey(), // funding address&fee_payer.pubkey(), // wallet address&NATIVE_MINT_ID, // mint address&token_program_id(), // program id);// Amount to wrap (1 SOL = 1,000,000,000 lamports)let amount = 1_000_000_000;// Create transfer instruction to send SOL to the WSOL token accountlet transfer_instruction = transfer(&fee_payer.pubkey(), &associated_token_address, amount);// Create sync native instruction to update WSOL balancelet sync_native_instruction = sync_native(&token_program_id(), &associated_token_address)?;// Create transaction and add instructionslet transaction = Transaction::new_signed_with_payer(&[create_ata_instruction,transfer_instruction,sync_native_instruction,],Some(&fee_payer.pubkey()),&[&fee_payer],latest_blockhash,);// Send and confirm transactionclient.send_and_confirm_transaction(&transaction).await?;let token_account = client.get_token_account(&associated_token_address).await?;println!("WSOL Token Account Address: {}", associated_token_address);if let Some(token_account) = token_account {println!("{:#?}", token_account);}Ok(())}
Console
Click to execute the code.
بايثون
Python
#!/usr/bin/env python3import asynciofrom solana.rpc.async_api import AsyncClientfrom solders.keypair import Keypairfrom solders.transaction import VersionedTransactionfrom solders.message import MessageV0from solders.system_program import transfer, TransferParamsfrom spl.token.instructions import (create_associated_token_account,sync_native, SyncNativeParams,close_account, CloseAccountParams,get_associated_token_address)from spl.token.constants import TOKEN_PROGRAM_ID, ASSOCIATED_TOKEN_PROGRAM_IDfrom solders.pubkey import Pubkey# Native mint address for wrapped SOLNATIVE_MINT = Pubkey.from_string("So11111111111111111111111111111111111111112")async def main():rpc = AsyncClient("http://localhost:8899")# Example keypairspayer = Keypair()owner = Keypair()# Amount to wrap (in lamports)amount_to_wrap = 1000000000 # 1 SOLasync with rpc:# Get associated token address for wrapped SOLwrapped_sol_account = get_associated_token_address(owner=owner.pubkey(),mint=NATIVE_MINT,token_program_id=TOKEN_PROGRAM_ID)# Create associated token account for wrapped SOLcreate_ata_instruction = create_associated_token_account(payer=payer.pubkey(),owner=owner.pubkey(),mint=NATIVE_MINT)# Transfer SOL to the wrapped SOL accounttransfer_instruction = transfer(TransferParams(from_pubkey=payer.pubkey(),to_pubkey=wrapped_sol_account,lamports=amount_to_wrap))# Sync native instruction to update the wrapped SOL balancesync_native_instruction = sync_native(SyncNativeParams(program_id=TOKEN_PROGRAM_ID,account=wrapped_sol_account))instructions = [create_ata_instruction,transfer_instruction,sync_native_instruction]# Get latest blockhashrecent_blockhash = await rpc.get_latest_blockhash()# Create messagemessage = MessageV0.try_compile(payer=payer.pubkey(),instructions=instructions,address_lookup_table_accounts=[],recent_blockhash=recent_blockhash.value.blockhash)# Create transactiontransaction = VersionedTransaction(message, [payer])print(f"Wrapped SOL Operations:")print(f"Owner: {owner.pubkey()}")print(f"Wrapped SOL Account: {wrapped_sol_account}")print(f"Amount to wrap: {amount_to_wrap} lamports ({amount_to_wrap / 1e9} SOL)")print(f"Native Mint: {NATIVE_MINT}")print(f"Payer: {payer.pubkey()}")print(f"Wrapped SOL transaction created successfully")async def unwrap_sol_example():"""Example of unwrapping SOL (closing wrapped SOL account)"""rpc = AsyncClient("http://localhost:8899")payer = Keypair()owner = Keypair()async with rpc:# Get wrapped SOL accountwrapped_sol_account = get_associated_token_address(owner=owner.pubkey(),mint=NATIVE_MINT,token_program_id=TOKEN_PROGRAM_ID)# Close account instruction (unwraps SOL)close_account_instruction = close_account(CloseAccountParams(program_id=TOKEN_PROGRAM_ID,account=wrapped_sol_account,dest=owner.pubkey(), # SOL will be sent back to ownerowner=owner.pubkey()))# Get latest blockhashrecent_blockhash = await rpc.get_latest_blockhash()# Create messagemessage = MessageV0.try_compile(payer=payer.pubkey(),instructions=[close_account_instruction],address_lookup_table_accounts=[],recent_blockhash=recent_blockhash.value.blockhash)# Create transactiontransaction = VersionedTransaction(message, [payer, owner])print(f"\nUnwrap SOL Example:")print(f"Wrapped SOL Account: {wrapped_sol_account}")print(f"Owner: {owner.pubkey()}")print(f"Destination: {owner.pubkey()}")print(f"Unwrap SOL transaction created successfully")if __name__ == "__main__":asyncio.run(main())asyncio.run(unwrap_sol_example())
Console
Click to execute the code.
Is this page helpful?