概要
必要な署名者全員が元のトランザクションに既に署名している場合のCPIには、_rsinvoke_を使用します。PDA署名は不要です。署名者および書き込み可能権限は、呼び出し元から呼び出し先に引き継がれます。
PDA署名者なしのCPI
CPIがPDA署名者を必要としない場合、invoke関数が使用されます。*rsinvoke関数は、空のrssigners_seeds配列を使用してrsinvoke_signed*関数を呼び出します。空の署名者配列は、署名にPDAが不要であることを示します。
Invoke function
pub fn invoke(instruction: &Instruction, account_infos: &[AccountInfo]) -> ProgramResult {invoke_signed(instruction, account_infos, &[])}
以下の例では、AnchorとネイティブRustを使用してCPIを実行します。あるアカウントから別のアカウントへSOLを転送する単一の命令が含まれています。
Anchor
以下の例は、AnchorプログラムでCPIを実装する2つのアプローチを示しています。これらの例は機能的には同等ですが、異なる抽象化レベルを示しています。
- 例1: Anchorの*rs
CpiContext*とヘルパー関数を使用します。 - 例2:
*rs
solana_programクレートのrssystem_instruction::transfer*関数を使用します。 - 例3: CPI命令を手動で構築します。このアプローチは、呼び出したい命令を構築するためのクレートが存在しない場合に便利です。
use anchor_lang::prelude::*;use anchor_lang::system_program::{transfer, Transfer};declare_id!("9AvUNHjxscdkiKQ8tUn12QCMXtcnbR9BVGq3ULNzFMRi");#[program]pub mod cpi {use super::*;pub fn sol_transfer(ctx: Context<SolTransfer>, amount: u64) -> Result<()> {let from_pubkey = ctx.accounts.sender.to_account_info();let to_pubkey = ctx.accounts.recipient.to_account_info();let program_id = ctx.accounts.system_program.to_account_info();let cpi_context = CpiContext::new(program_id,Transfer {from: from_pubkey,to: to_pubkey,},);transfer(cpi_context, amount)?;Ok(())}}#[derive(Accounts)]pub struct SolTransfer<'info> {#[account(mut)]sender: Signer<'info>,#[account(mut)]recipient: SystemAccount<'info>,system_program: Program<'info, System>,}
Rust
以下の例は、ネイティブRustで記述されたプログラムからCPIを実行する方法を示しています。あるアカウントから別のアカウントへSOLを転送する単一の命令が含まれています。(テストファイルはLiteSVMを使用してプログラムをテストします。)
use borsh::BorshDeserialize;use solana_program::{account_info::AccountInfo,entrypoint,entrypoint::ProgramResult,program::invoke,program_error::ProgramError,pubkey::Pubkey,system_instruction,};// Declare program entrypointentrypoint!(process_instruction);// Define program instructions#[derive(BorshDeserialize)]enum ProgramInstruction {SolTransfer { amount: u64 },}impl ProgramInstruction {fn unpack(input: &[u8]) -> Result<Self, ProgramError> {Self::try_from_slice(input).map_err(|_| ProgramError::InvalidInstructionData)}}pub fn process_instruction(_program_id: &Pubkey,accounts: &[AccountInfo],instruction_data: &[u8],) -> ProgramResult {// Deserialize instruction datalet instruction = ProgramInstruction::unpack(instruction_data)?;// Process instructionmatch instruction {ProgramInstruction::SolTransfer { amount } => {// Parse accountslet [sender_info, recipient_info, system_program_info] = accounts else {return Err(ProgramError::NotEnoughAccountKeys);};// Verify the sender is a signerif !sender_info.is_signer {return Err(ProgramError::MissingRequiredSignature);}// Create and invoke the transfer instructionlet transfer_ix = system_instruction::transfer(sender_info.key,recipient_info.key,amount,);invoke(&transfer_ix,&[sender_info.clone(),recipient_info.clone(),system_program_info.clone(),],)?;Ok(())}}}
Is this page helpful?