solana_instruction/
lib.rs

1//! Types for directing the execution of Solana programs.
2//!
3//! Every invocation of a Solana program executes a single instruction, as
4//! defined by the [`Instruction`] type. An instruction is primarily a vector of
5//! bytes, the contents of which are program-specific, and not interpreted by
6//! the Solana runtime. This allows flexibility in how programs behave, how they
7//! are controlled by client software, and what data encodings they use.
8//!
9//! Besides the instruction data, every account a program may read or write
10//! while executing a given instruction is also included in `Instruction`, as
11//! [`AccountMeta`] values. The runtime uses this information to efficiently
12//! schedule execution of transactions.
13#![cfg_attr(docsrs, feature(doc_auto_cfg))]
14#![cfg_attr(feature = "frozen-abi", feature(min_specialization))]
15#![allow(clippy::arithmetic_side_effects)]
16#![no_std]
17
18#[cfg(feature = "std")]
19extern crate std;
20use solana_pubkey::Pubkey;
21#[cfg(feature = "std")]
22use std::vec::Vec;
23pub mod account_meta;
24#[cfg(feature = "std")]
25pub use account_meta::AccountMeta;
26pub mod error;
27#[cfg(target_os = "solana")]
28pub mod syscalls;
29#[cfg(all(feature = "std", target_arch = "wasm32"))]
30pub mod wasm;
31
32/// A directive for a single invocation of a Solana program.
33///
34/// An instruction specifies which program it is calling, which accounts it may
35/// read or modify, and additional data that serves as input to the program. One
36/// or more instructions are included in transactions submitted by Solana
37/// clients. Instructions are also used to describe [cross-program
38/// invocations][cpi].
39///
40/// [cpi]: https://solana.com/docs/core/cpi
41///
42/// During execution, a program will receive a list of account data as one of
43/// its arguments, in the same order as specified during `Instruction`
44/// construction.
45///
46/// While Solana is agnostic to the format of the instruction data, it has
47/// built-in support for serialization via [`borsh`] and [`bincode`].
48///
49/// [`borsh`]: https://docs.rs/borsh/latest/borsh/
50/// [`bincode`]: https://docs.rs/bincode/latest/bincode/
51///
52/// # Specifying account metadata
53///
54/// When constructing an [`Instruction`], a list of all accounts that may be
55/// read or written during the execution of that instruction must be supplied as
56/// [`AccountMeta`] values.
57///
58/// Any account whose data may be mutated by the program during execution must
59/// be specified as writable. During execution, writing to an account that was
60/// not specified as writable will cause the transaction to fail. Writing to an
61/// account that is not owned by the program will cause the transaction to fail.
62///
63/// Any account whose lamport balance may be mutated by the program during
64/// execution must be specified as writable. During execution, mutating the
65/// lamports of an account that was not specified as writable will cause the
66/// transaction to fail. While _subtracting_ lamports from an account not owned
67/// by the program will cause the transaction to fail, _adding_ lamports to any
68/// account is allowed, as long is it is mutable.
69///
70/// Accounts that are not read or written by the program may still be specified
71/// in an `Instruction`'s account list. These will affect scheduling of program
72/// execution by the runtime, but will otherwise be ignored.
73///
74/// When building a transaction, the Solana runtime coalesces all accounts used
75/// by all instructions in that transaction, along with accounts and permissions
76/// required by the runtime, into a single account list. Some accounts and
77/// account permissions required by the runtime to process a transaction are
78/// _not_ required to be included in an `Instruction`s account list. These
79/// include:
80///
81/// - The program ID — it is a separate field of `Instruction`
82/// - The transaction's fee-paying account — it is added during [`Message`]
83///   construction. A program may still require the fee payer as part of the
84///   account list if it directly references it.
85///
86/// [`Message`]: https://docs.rs/solana-program/latest/solana_program/message/legacy/struct.Message.html
87///
88/// Programs may require signatures from some accounts, in which case they
89/// should be specified as signers during `Instruction` construction. The
90/// program must still validate during execution that the account is a signer.
91#[cfg(all(feature = "std", not(target_arch = "wasm32")))]
92#[cfg_attr(
93    feature = "serde",
94    derive(serde_derive::Serialize, serde_derive::Deserialize)
95)]
96#[derive(Debug, PartialEq, Eq, Clone)]
97pub struct Instruction {
98    /// Pubkey of the program that executes this instruction.
99    pub program_id: Pubkey,
100    /// Metadata describing accounts that should be passed to the program.
101    pub accounts: Vec<AccountMeta>,
102    /// Opaque data passed to the program for its own interpretation.
103    pub data: Vec<u8>,
104}
105
106/// wasm-bindgen version of the Instruction struct.
107/// This duplication is required until https://github.com/rustwasm/wasm-bindgen/issues/3671
108/// is fixed. This must not diverge from the regular non-wasm Instruction struct.
109#[cfg(all(feature = "std", target_arch = "wasm32"))]
110#[wasm_bindgen::prelude::wasm_bindgen]
111#[cfg_attr(
112    feature = "serde",
113    derive(serde_derive::Serialize, serde_derive::Deserialize)
114)]
115#[derive(Debug, PartialEq, Eq, Clone)]
116pub struct Instruction {
117    #[wasm_bindgen(skip)]
118    pub program_id: Pubkey,
119    #[wasm_bindgen(skip)]
120    pub accounts: Vec<AccountMeta>,
121    #[wasm_bindgen(skip)]
122    pub data: Vec<u8>,
123}
124
125#[cfg(feature = "std")]
126impl Instruction {
127    #[cfg(feature = "borsh")]
128    /// Create a new instruction from a value, encoded with [`borsh`].
129    ///
130    /// [`borsh`]: https://docs.rs/borsh/latest/borsh/
131    ///
132    /// `program_id` is the address of the program that will execute the instruction.
133    /// `accounts` contains a description of all accounts that may be accessed by the program.
134    ///
135    /// Borsh serialization is often preferred over bincode as it has a stable
136    /// [specification] and an [implementation in JavaScript][jsb], neither of
137    /// which are true of bincode.
138    ///
139    /// [specification]: https://borsh.io/
140    /// [jsb]: https://github.com/near/borsh-js
141    ///
142    /// # Examples
143    ///
144    /// ```
145    /// # use solana_pubkey::Pubkey;
146    /// # use solana_instruction::{AccountMeta, Instruction};
147    /// # use borsh::{BorshSerialize, BorshDeserialize};
148    /// #
149    /// #[derive(BorshSerialize, BorshDeserialize)]
150    /// # #[borsh(crate = "borsh")]
151    /// pub struct MyInstruction {
152    ///     pub lamports: u64,
153    /// }
154    ///
155    /// pub fn create_instruction(
156    ///     program_id: &Pubkey,
157    ///     from: &Pubkey,
158    ///     to: &Pubkey,
159    ///     lamports: u64,
160    /// ) -> Instruction {
161    ///     let instr = MyInstruction { lamports };
162    ///
163    ///     Instruction::new_with_borsh(
164    ///         *program_id,
165    ///         &instr,
166    ///         vec![
167    ///             AccountMeta::new(*from, true),
168    ///             AccountMeta::new(*to, false),
169    ///         ],
170    ///    )
171    /// }
172    /// ```
173    pub fn new_with_borsh<T: borsh::BorshSerialize>(
174        program_id: Pubkey,
175        data: &T,
176        accounts: Vec<AccountMeta>,
177    ) -> Self {
178        let data = borsh::to_vec(data).unwrap();
179        Self {
180            program_id,
181            accounts,
182            data,
183        }
184    }
185
186    #[cfg(feature = "bincode")]
187    /// Create a new instruction from a value, encoded with [`bincode`].
188    ///
189    /// [`bincode`]: https://docs.rs/bincode/latest/bincode/
190    ///
191    /// `program_id` is the address of the program that will execute the instruction.
192    /// `accounts` contains a description of all accounts that may be accessed by the program.
193    ///
194    /// # Examples
195    ///
196    /// ```
197    /// # use solana_pubkey::Pubkey;
198    /// # use solana_instruction::{AccountMeta, Instruction};
199    /// # use serde::{Serialize, Deserialize};
200    /// #
201    /// #[derive(Serialize, Deserialize)]
202    /// pub struct MyInstruction {
203    ///     pub lamports: u64,
204    /// }
205    ///
206    /// pub fn create_instruction(
207    ///     program_id: &Pubkey,
208    ///     from: &Pubkey,
209    ///     to: &Pubkey,
210    ///     lamports: u64,
211    /// ) -> Instruction {
212    ///     let instr = MyInstruction { lamports };
213    ///
214    ///     Instruction::new_with_bincode(
215    ///         *program_id,
216    ///         &instr,
217    ///         vec![
218    ///             AccountMeta::new(*from, true),
219    ///             AccountMeta::new(*to, false),
220    ///         ],
221    ///    )
222    /// }
223    /// ```
224    pub fn new_with_bincode<T: serde::Serialize>(
225        program_id: Pubkey,
226        data: &T,
227        accounts: Vec<AccountMeta>,
228    ) -> Self {
229        let data = bincode::serialize(data).unwrap();
230        Self {
231            program_id,
232            accounts,
233            data,
234        }
235    }
236
237    /// Create a new instruction from a byte slice.
238    ///
239    /// `program_id` is the address of the program that will execute the instruction.
240    /// `accounts` contains a description of all accounts that may be accessed by the program.
241    ///
242    /// The caller is responsible for ensuring the correct encoding of `data` as expected
243    /// by the callee program.
244    ///
245    /// # Examples
246    ///
247    /// ```
248    /// # use solana_pubkey::Pubkey;
249    /// # use solana_instruction::{AccountMeta, Instruction};
250    /// #
251    /// # use borsh::{io::Error, BorshSerialize, BorshDeserialize};
252    /// #
253    /// #[derive(BorshSerialize, BorshDeserialize)]
254    /// # #[borsh(crate = "borsh")]
255    /// pub struct MyInstruction {
256    ///     pub lamports: u64,
257    /// }
258    ///
259    /// pub fn create_instruction(
260    ///     program_id: &Pubkey,
261    ///     from: &Pubkey,
262    ///     to: &Pubkey,
263    ///     lamports: u64,
264    /// ) -> Result<Instruction, Error> {
265    ///     let instr = MyInstruction { lamports };
266    ///
267    ///     let mut instr_in_bytes: Vec<u8> = Vec::new();
268    ///     instr.serialize(&mut instr_in_bytes)?;
269    ///
270    ///     Ok(Instruction::new_with_bytes(
271    ///         *program_id,
272    ///         &instr_in_bytes,
273    ///         vec![
274    ///             AccountMeta::new(*from, true),
275    ///             AccountMeta::new(*to, false),
276    ///         ],
277    ///    ))
278    /// }
279    /// ```
280    pub fn new_with_bytes(program_id: Pubkey, data: &[u8], accounts: Vec<AccountMeta>) -> Self {
281        Self {
282            program_id,
283            accounts,
284            data: data.to_vec(),
285        }
286    }
287}
288
289// Stack height when processing transaction-level instructions
290pub const TRANSACTION_LEVEL_STACK_HEIGHT: usize = 1;
291
292/// Use to query and convey information about the sibling instruction components
293/// when calling the `sol_get_processed_sibling_instruction` syscall.
294#[repr(C)]
295#[derive(Default, Debug, Clone, Copy, Eq, PartialEq)]
296pub struct ProcessedSiblingInstruction {
297    /// Length of the instruction data
298    pub data_len: u64,
299    /// Number of AccountMeta structures
300    pub accounts_len: u64,
301}
302
303/// Borrowed version of `AccountMeta`.
304///
305/// This struct is used by the runtime when constructing the instructions sysvar. It is not
306/// useful to Solana programs.
307pub struct BorrowedAccountMeta<'a> {
308    pub pubkey: &'a Pubkey,
309    pub is_signer: bool,
310    pub is_writable: bool,
311}
312
313/// Borrowed version of `Instruction`.
314///
315/// This struct is used by the runtime when constructing the instructions sysvar. It is not
316/// useful to Solana programs.
317#[cfg(feature = "std")]
318pub struct BorrowedInstruction<'a> {
319    pub program_id: &'a Pubkey,
320    pub accounts: Vec<BorrowedAccountMeta<'a>>,
321    pub data: &'a [u8],
322}