use {
solana_clock::Epoch,
solana_pubkey::Pubkey,
solana_rent::Rent,
solana_transaction_context::{IndexOfAccount, TransactionContext},
solana_transaction_error::{TransactionError, TransactionResult},
};
pub const RENT_EXEMPT_RENT_EPOCH: Epoch = Epoch::MAX;
#[derive(Debug, PartialEq, Eq)]
pub enum RentState {
Uninitialized,
RentPaying {
lamports: u64, data_size: usize, },
RentExempt,
}
pub fn check_rent_state(
pre_rent_state: Option<&RentState>,
post_rent_state: Option<&RentState>,
transaction_context: &TransactionContext,
index: IndexOfAccount,
) -> TransactionResult<()> {
if let Some((pre_rent_state, post_rent_state)) = pre_rent_state.zip(post_rent_state) {
let expect_msg = "account must exist at TransactionContext index if rent-states are Some";
check_rent_state_with_account(
pre_rent_state,
post_rent_state,
transaction_context
.get_key_of_account_at_index(index)
.expect(expect_msg),
index,
)?;
}
Ok(())
}
pub fn check_rent_state_with_account(
pre_rent_state: &RentState,
post_rent_state: &RentState,
address: &Pubkey,
account_index: IndexOfAccount,
) -> TransactionResult<()> {
if !solana_sdk_ids::incinerator::check_id(address)
&& !transition_allowed(pre_rent_state, post_rent_state)
{
let account_index = account_index as u8;
Err(TransactionError::InsufficientFundsForRent { account_index })
} else {
Ok(())
}
}
pub fn get_account_rent_state(
rent: &Rent,
account_lamports: u64,
account_size: usize,
) -> RentState {
if account_lamports == 0 {
RentState::Uninitialized
} else if rent.is_exempt(account_lamports, account_size) {
RentState::RentExempt
} else {
RentState::RentPaying {
data_size: account_size,
lamports: account_lamports,
}
}
}
pub fn transition_allowed(pre_rent_state: &RentState, post_rent_state: &RentState) -> bool {
match post_rent_state {
RentState::Uninitialized | RentState::RentExempt => true,
RentState::RentPaying {
data_size: post_data_size,
lamports: post_lamports,
} => {
match pre_rent_state {
RentState::Uninitialized | RentState::RentExempt => false,
RentState::RentPaying {
data_size: pre_data_size,
lamports: pre_lamports,
} => {
post_data_size == pre_data_size && post_lamports <= pre_lamports
}
}
}
}
}