Filter out outdated slots (#22450)

* Filter out outdated slots

* Fixup error
This commit is contained in:
carllin 2022-01-13 19:51:00 -05:00 committed by GitHub
parent eca8d21249
commit 4ab7d6c23e
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
6 changed files with 151 additions and 45 deletions

View File

@ -609,6 +609,9 @@ impl ClusterInfoVoteListener {
// The last vote slot, which is the greatest slot in the stack // The last vote slot, which is the greatest slot in the stack
// of votes in a vote transaction, qualifies for optimistic confirmation. // of votes in a vote transaction, qualifies for optimistic confirmation.
// We cannot count any other slots in this vote toward optimistic confirmation because:
// 1) There may have been a switch between the earlier vote and the last vote
// 2) We do not know the hash of the earlier slot
if slot == last_vote_slot { if slot == last_vote_slot {
let vote_accounts = epoch_stakes.stakes().vote_accounts(); let vote_accounts = epoch_stakes.stakes().vote_accounts();
let stake = vote_accounts let stake = vote_accounts

View File

@ -366,7 +366,7 @@ impl Tower {
last_voted_slot_in_bank: Option<Slot>, last_voted_slot_in_bank: Option<Slot>,
) -> Vote { ) -> Vote {
let vote = Vote::new(vec![slot], hash); let vote = Vote::new(vec![slot], hash);
local_vote_state.process_vote_unchecked(&vote); local_vote_state.process_vote_unchecked(vote);
let slots = if let Some(last_voted_slot) = last_voted_slot_in_bank { let slots = if let Some(last_voted_slot) = last_voted_slot_in_bank {
local_vote_state local_vote_state
.votes .votes
@ -2276,7 +2276,7 @@ pub mod test {
hash: Hash::default(), hash: Hash::default(),
timestamp: None, timestamp: None,
}; };
local.process_vote_unchecked(&vote); local.process_vote_unchecked(vote);
assert_eq!(local.votes.len(), 1); assert_eq!(local.votes.len(), 1);
let vote = let vote =
Tower::apply_vote_and_generate_vote_diff(&mut local, 1, Hash::default(), Some(0)); Tower::apply_vote_and_generate_vote_diff(&mut local, 1, Hash::default(), Some(0));
@ -2292,7 +2292,7 @@ pub mod test {
hash: Hash::default(), hash: Hash::default(),
timestamp: None, timestamp: None,
}; };
local.process_vote_unchecked(&vote); local.process_vote_unchecked(vote);
assert_eq!(local.votes.len(), 1); assert_eq!(local.votes.len(), 1);
// First vote expired, so should be evicted from tower. Thus even with // First vote expired, so should be evicted from tower. Thus even with

View File

@ -1946,7 +1946,6 @@ fn root_in_tower(tower_path: &Path, node_pubkey: &Pubkey) -> Option<Slot> {
// slot_hash expiry to 64 slots. // slot_hash expiry to 64 slots.
#[test] #[test]
#[ignore]
fn test_slot_hash_expiry() { fn test_slot_hash_expiry() {
solana_logger::setup_with_default(RUST_LOG_FILTER); solana_logger::setup_with_default(RUST_LOG_FILTER);
solana_sdk::slot_hashes::set_entries_for_tests_only(64); solana_sdk::slot_hashes::set_entries_for_tests_only(64);

View File

@ -80,6 +80,9 @@ pub enum VoteError {
#[error("New state contained too many votes")] #[error("New state contained too many votes")]
TooManyVotes, TooManyVotes,
#[error("every slot in the vote was older than the SlotHashes history")]
VotesTooOldAllFiltered,
} }
impl<E> DecodeError<E> for VoteError { impl<E> DecodeError<E> for VoteError {
@ -478,7 +481,14 @@ pub fn process_instruction(
keyed_account_at_index(keyed_accounts, first_instruction_account + 2)?, keyed_account_at_index(keyed_accounts, first_instruction_account + 2)?,
invoke_context, invoke_context,
)?; )?;
vote_state::process_vote(me, &slot_hashes, &clock, &vote, &signers) vote_state::process_vote(
me,
&slot_hashes,
&clock,
&vote,
&signers,
&invoke_context.feature_set,
)
} }
VoteInstruction::UpdateVoteState(vote_state_update) VoteInstruction::UpdateVoteState(vote_state_update)
| VoteInstruction::UpdateVoteStateSwitch(vote_state_update, _) => { | VoteInstruction::UpdateVoteStateSwitch(vote_state_update, _) => {

View File

@ -10,6 +10,7 @@ use {
account_utils::State, account_utils::State,
clock::{Epoch, Slot, UnixTimestamp}, clock::{Epoch, Slot, UnixTimestamp},
epoch_schedule::MAX_LEADER_SCHEDULE_EPOCH_OFFSET, epoch_schedule::MAX_LEADER_SCHEDULE_EPOCH_OFFSET,
feature_set::{filter_votes_outside_slot_hashes, FeatureSet},
hash::Hash, hash::Hash,
instruction::InstructionError, instruction::InstructionError,
keyed_account::KeyedAccount, keyed_account::KeyedAccount,
@ -384,7 +385,8 @@ impl VoteState {
fn check_slots_are_valid( fn check_slots_are_valid(
&self, &self,
vote: &Vote, vote_slots: &[Slot],
vote_hash: &Hash,
slot_hashes: &[(Slot, Hash)], slot_hashes: &[(Slot, Hash)],
) -> Result<(), VoteError> { ) -> Result<(), VoteError> {
// index into the vote's slots, sarting at the newest // index into the vote's slots, sarting at the newest
@ -397,32 +399,32 @@ impl VoteState {
// Note: // Note:
// //
// 1) `vote.slots` is sorted from oldest/smallest vote to newest/largest // 1) `vote_slots` is sorted from oldest/smallest vote to newest/largest
// vote, due to the way votes are applied to the vote state (newest votes // vote, due to the way votes are applied to the vote state (newest votes
// pushed to the back), but `slot_hashes` is sorted smallest to largest. // pushed to the back), but `slot_hashes` is sorted smallest to largest.
// //
// 2) Conversely, `slot_hashes` is sorted from newest/largest vote to // 2) Conversely, `slot_hashes` is sorted from newest/largest vote to
// the oldest/smallest vote // the oldest/smallest vote
while i < vote.slots.len() && j > 0 { while i < vote_slots.len() && j > 0 {
// 1) increment `i` to find the smallest slot `s` in `vote.slots` // 1) increment `i` to find the smallest slot `s` in `vote_slots`
// where `s` >= `last_voted_slot` // where `s` >= `last_voted_slot`
if self if self
.last_voted_slot() .last_voted_slot()
.map_or(false, |last_voted_slot| vote.slots[i] <= last_voted_slot) .map_or(false, |last_voted_slot| vote_slots[i] <= last_voted_slot)
{ {
i += 1; i += 1;
continue; continue;
} }
// 2) Find the hash for this slot `s`. // 2) Find the hash for this slot `s`.
if vote.slots[i] != slot_hashes[j - 1].0 { if vote_slots[i] != slot_hashes[j - 1].0 {
// Decrement `j` to find newer slots // Decrement `j` to find newer slots
j -= 1; j -= 1;
continue; continue;
} }
// 3) Once the hash for `s` is found, bump `s` to the next slot // 3) Once the hash for `s` is found, bump `s` to the next slot
// in `vote.slots` and continue. // in `vote_slots` and continue.
i += 1; i += 1;
j -= 1; j -= 1;
} }
@ -430,30 +432,30 @@ impl VoteState {
if j == slot_hashes.len() { if j == slot_hashes.len() {
// This means we never made it to steps 2) or 3) above, otherwise // This means we never made it to steps 2) or 3) above, otherwise
// `j` would have been decremented at least once. This means // `j` would have been decremented at least once. This means
// there are not slots in `vote` greater than `last_voted_slot` // there are not slots in `vote_slots` greater than `last_voted_slot`
debug!( debug!(
"{} dropped vote {:?} too old: {:?} ", "{} dropped vote slots {:?}, vote hash: {:?} slot hashes:SlotHash {:?}, too old ",
self.node_pubkey, vote, slot_hashes self.node_pubkey, vote_slots, vote_hash, slot_hashes
); );
return Err(VoteError::VoteTooOld); return Err(VoteError::VoteTooOld);
} }
if i != vote.slots.len() { if i != vote_slots.len() {
// This means there existed some slot for which we couldn't find // This means there existed some slot for which we couldn't find
// a matching slot hash in step 2) // a matching slot hash in step 2)
info!( info!(
"{} dropped vote {:?} failed to match slot: {:?}", "{} dropped vote slots {:?} failed to match slot hashes: {:?}",
self.node_pubkey, vote, slot_hashes, self.node_pubkey, vote_slots, slot_hashes,
); );
inc_new_counter_info!("dropped-vote-slot", 1); inc_new_counter_info!("dropped-vote-slot", 1);
return Err(VoteError::SlotsMismatch); return Err(VoteError::SlotsMismatch);
} }
if slot_hashes[j].1 != vote.hash { if &slot_hashes[j].1 != vote_hash {
// This means the newest vote in the slot has a match that // This means the newest slot in the `vote_slots` has a match that
// doesn't match the expected hash for that slot on this // doesn't match the expected hash for that slot on this
// fork // fork
warn!( warn!(
"{} dropped vote {:?} failed to match hash {} {}", "{} dropped vote slots {:?} failed to match hash {} {}",
self.node_pubkey, vote, vote.hash, slot_hashes[j].1 self.node_pubkey, vote_slots, vote_hash, slot_hashes[j].1
); );
inc_new_counter_info!("dropped-vote-hash", 1); inc_new_counter_info!("dropped-vote-hash", 1);
return Err(VoteError::SlotHashMismatch); return Err(VoteError::SlotHashMismatch);
@ -636,13 +638,36 @@ impl VoteState {
vote: &Vote, vote: &Vote,
slot_hashes: &[SlotHash], slot_hashes: &[SlotHash],
epoch: Epoch, epoch: Epoch,
feature_set: Option<&FeatureSet>,
) -> Result<(), VoteError> { ) -> Result<(), VoteError> {
if vote.slots.is_empty() { if vote.slots.is_empty() {
return Err(VoteError::EmptySlots); return Err(VoteError::EmptySlots);
} }
self.check_slots_are_valid(vote, slot_hashes)?;
vote.slots let filtered_vote_slots = feature_set.and_then(|feature_set| {
if feature_set.is_active(&filter_votes_outside_slot_hashes::id()) {
let earliest_slot_in_history =
slot_hashes.last().map(|(slot, _hash)| *slot).unwrap_or(0);
Some(
vote.slots
.iter()
.filter(|slot| **slot >= earliest_slot_in_history)
.cloned()
.collect::<Vec<Slot>>(),
)
} else {
None
}
});
let vote_slots = filtered_vote_slots.as_ref().unwrap_or(&vote.slots);
if vote_slots.is_empty() {
return Err(VoteError::VotesTooOldAllFiltered);
}
self.check_slots_are_valid(vote_slots, &vote.hash, slot_hashes)?;
vote_slots
.iter() .iter()
.for_each(|s| self.process_next_vote_slot(*s, epoch)); .for_each(|s| self.process_next_vote_slot(*s, epoch));
Ok(()) Ok(())
@ -701,9 +726,9 @@ impl VoteState {
} }
/// "unchecked" functions used by tests and Tower /// "unchecked" functions used by tests and Tower
pub fn process_vote_unchecked(&mut self, vote: &Vote) { pub fn process_vote_unchecked(&mut self, vote: Vote) {
let slot_hashes: Vec<_> = vote.slots.iter().rev().map(|x| (*x, vote.hash)).collect(); let slot_hashes: Vec<_> = vote.slots.iter().rev().map(|x| (*x, vote.hash)).collect();
let _ignored = self.process_vote(vote, &slot_hashes, self.current_epoch()); let _ignored = self.process_vote(&vote, &slot_hashes, self.current_epoch(), None);
} }
#[cfg(test)] #[cfg(test)]
@ -714,7 +739,7 @@ impl VoteState {
} }
pub fn process_slot_vote_unchecked(&mut self, slot: Slot) { pub fn process_slot_vote_unchecked(&mut self, slot: Slot) {
self.process_vote_unchecked(&Vote::new(vec![slot], Hash::default())); self.process_vote_unchecked(Vote::new(vec![slot], Hash::default()));
} }
pub fn nth_recent_vote(&self, position: usize) -> Option<&Lockout> { pub fn nth_recent_vote(&self, position: usize) -> Option<&Lockout> {
@ -1054,10 +1079,11 @@ pub fn process_vote<S: std::hash::BuildHasher>(
clock: &Clock, clock: &Clock,
vote: &Vote, vote: &Vote,
signers: &HashSet<Pubkey, S>, signers: &HashSet<Pubkey, S>,
feature_set: &FeatureSet,
) -> Result<(), InstructionError> { ) -> Result<(), InstructionError> {
let mut vote_state = verify_and_get_vote_state(vote_account, clock, signers)?; let mut vote_state = verify_and_get_vote_state(vote_account, clock, signers)?;
vote_state.process_vote(vote, slot_hashes, clock.epoch)?; vote_state.process_vote(vote, slot_hashes, clock.epoch, Some(feature_set))?;
if let Some(timestamp) = vote.timestamp { if let Some(timestamp) = vote.timestamp {
vote.slots vote.slots
.iter() .iter()
@ -1086,7 +1112,7 @@ pub fn process_vote_state_update<S: std::hash::BuildHasher>(
hash: vote_state_update.hash, hash: vote_state_update.hash,
timestamp: vote_state_update.timestamp, timestamp: vote_state_update.timestamp,
}; };
vote_state.check_slots_are_valid(&vote, slot_hashes)?; vote_state.check_slots_are_valid(&vote.slots, &vote.hash, slot_hashes)?;
} }
vote_state.process_new_vote_state( vote_state.process_new_vote_state(
vote_state_update.lockouts, vote_state_update.lockouts,
@ -1287,8 +1313,9 @@ mod tests {
epoch, epoch,
..Clock::default() ..Clock::default()
}, },
&vote.clone(), vote,
&signers, &signers,
&FeatureSet::default(),
)?; )?;
StateMut::<VoteStateVersions>::state(&*vote_account.borrow()) StateMut::<VoteStateVersions>::state(&*vote_account.borrow())
.map(|versioned| versioned.convert_to_current()) .map(|versioned| versioned.convert_to_current())
@ -1496,6 +1523,7 @@ mod tests {
}, },
&vote, &vote,
&signers, &signers,
&FeatureSet::default(),
); );
assert_eq!(res, Err(InstructionError::MissingRequiredSignature)); assert_eq!(res, Err(InstructionError::MissingRequiredSignature));
@ -1512,6 +1540,7 @@ mod tests {
}, },
&vote, &vote,
&signers, &signers,
&FeatureSet::default(),
); );
assert_eq!(res, Ok(())); assert_eq!(res, Ok(()));
@ -1636,6 +1665,7 @@ mod tests {
}, },
&vote, &vote,
&signers, &signers,
&FeatureSet::default(),
); );
assert_eq!(res, Err(InstructionError::MissingRequiredSignature)); assert_eq!(res, Err(InstructionError::MissingRequiredSignature));
@ -1657,6 +1687,7 @@ mod tests {
}, },
&vote, &vote,
&signers, &signers,
&FeatureSet::default(),
); );
assert_eq!(res, Ok(())); assert_eq!(res, Ok(()));
} }
@ -1844,8 +1875,14 @@ mod tests {
let vote = Vote::new(slots, Hash::default()); let vote = Vote::new(slots, Hash::default());
let slot_hashes: Vec<_> = vote.slots.iter().rev().map(|x| (*x, vote.hash)).collect(); let slot_hashes: Vec<_> = vote.slots.iter().rev().map(|x| (*x, vote.hash)).collect();
assert_eq!(vote_state_a.process_vote(&vote, &slot_hashes, 0), Ok(())); assert_eq!(
assert_eq!(vote_state_b.process_vote(&vote, &slot_hashes, 0), Ok(())); vote_state_a.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
assert_eq!(
vote_state_b.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
assert_eq!(recent_votes(&vote_state_a), recent_votes(&vote_state_b)); assert_eq!(recent_votes(&vote_state_a), recent_votes(&vote_state_b));
} }
@ -1855,10 +1892,13 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(0, vote.hash)]; let slot_hashes: Vec<_> = vec![(0, vote.hash)];
assert_eq!(vote_state.process_vote(&vote, &slot_hashes, 0), Ok(())); assert_eq!(
vote_state.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
let recent = recent_votes(&vote_state); let recent = recent_votes(&vote_state);
assert_eq!( assert_eq!(
vote_state.process_vote(&vote, &slot_hashes, 0), vote_state.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Err(VoteError::VoteTooOld) Err(VoteError::VoteTooOld)
); );
assert_eq!(recent, recent_votes(&vote_state)); assert_eq!(recent, recent_votes(&vote_state));
@ -1870,7 +1910,7 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &[]), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &[]),
Err(VoteError::VoteTooOld) Err(VoteError::VoteTooOld)
); );
} }
@ -1882,7 +1922,7 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)]; let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)];
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Ok(()) Ok(())
); );
} }
@ -1894,7 +1934,7 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), hash(vote.hash.as_ref()))]; let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), hash(vote.hash.as_ref()))];
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Err(VoteError::SlotHashMismatch) Err(VoteError::SlotHashMismatch)
); );
} }
@ -1906,7 +1946,7 @@ mod tests {
let vote = Vote::new(vec![1], Hash::default()); let vote = Vote::new(vec![1], Hash::default());
let slot_hashes: Vec<_> = vec![(0, vote.hash)]; let slot_hashes: Vec<_> = vec![(0, vote.hash)];
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Err(VoteError::SlotsMismatch) Err(VoteError::SlotsMismatch)
); );
} }
@ -1917,9 +1957,12 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)]; let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)];
assert_eq!(vote_state.process_vote(&vote, &slot_hashes, 0), Ok(()));
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
assert_eq!(
vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Err(VoteError::VoteTooOld) Err(VoteError::VoteTooOld)
); );
} }
@ -1930,12 +1973,15 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)]; let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)];
assert_eq!(vote_state.process_vote(&vote, &slot_hashes, 0), Ok(())); assert_eq!(
vote_state.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
let vote = Vote::new(vec![0, 1], Hash::default()); let vote = Vote::new(vec![0, 1], Hash::default());
let slot_hashes: Vec<_> = vec![(1, vote.hash), (0, vote.hash)]; let slot_hashes: Vec<_> = vec![(1, vote.hash), (0, vote.hash)];
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Ok(()) Ok(())
); );
} }
@ -1946,12 +1992,15 @@ mod tests {
let vote = Vote::new(vec![0], Hash::default()); let vote = Vote::new(vec![0], Hash::default());
let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)]; let slot_hashes: Vec<_> = vec![(*vote.slots.last().unwrap(), vote.hash)];
assert_eq!(vote_state.process_vote(&vote, &slot_hashes, 0), Ok(())); assert_eq!(
vote_state.process_vote(&vote, &slot_hashes, 0, Some(&FeatureSet::default())),
Ok(())
);
let vote = Vote::new(vec![1], Hash::default()); let vote = Vote::new(vec![1], Hash::default());
let slot_hashes: Vec<_> = vec![(1, vote.hash), (0, vote.hash)]; let slot_hashes: Vec<_> = vec![(1, vote.hash), (0, vote.hash)];
assert_eq!( assert_eq!(
vote_state.check_slots_are_valid(&vote, &slot_hashes), vote_state.check_slots_are_valid(&vote.slots, &vote.hash, &slot_hashes),
Ok(()) Ok(())
); );
} }
@ -1961,7 +2010,7 @@ mod tests {
let vote = Vote::new(vec![], Hash::default()); let vote = Vote::new(vec![], Hash::default());
assert_eq!( assert_eq!(
vote_state.process_vote(&vote, &[], 0), vote_state.process_vote(&vote, &[], 0, Some(&FeatureSet::default())),
Err(VoteError::EmptySlots) Err(VoteError::EmptySlots)
); );
} }
@ -3129,4 +3178,44 @@ mod tests {
.unwrap(); .unwrap();
assert_eq!(vote_state1.votes, good_votes); assert_eq!(vote_state1.votes, good_votes);
} }
#[test]
fn test_filter_old_votes() {
// Enable feature
let mut feature_set = FeatureSet::default();
feature_set.activate(&filter_votes_outside_slot_hashes::id(), 0);
let mut vote_state = VoteState::default();
let old_vote_slot = 1;
let vote = Vote::new(vec![old_vote_slot], Hash::default());
// Vote with all slots that are all older than the SlotHashes history should
// error with `VotesTooOldAllFiltered`
let slot_hashes = vec![(3, Hash::new_unique()), (2, Hash::new_unique())];
assert_eq!(
vote_state.process_vote(&vote, &slot_hashes, 0, Some(&feature_set),),
Err(VoteError::VotesTooOldAllFiltered)
);
// Vote with only some slots older than the SlotHashes history should
// filter out those older slots
let vote_slot = 2;
let vote_slot_hash = slot_hashes
.iter()
.find(|(slot, _hash)| *slot == vote_slot)
.unwrap()
.1;
let vote = Vote::new(vec![old_vote_slot, vote_slot], vote_slot_hash);
vote_state
.process_vote(&vote, &slot_hashes, 0, Some(&feature_set))
.unwrap();
assert_eq!(
vote_state.votes.into_iter().collect::<Vec<Lockout>>(),
vec![Lockout {
slot: vote_slot,
confirmation_count: 1,
}]
);
}
} }

View File

@ -299,6 +299,10 @@ pub mod require_rent_exempt_accounts {
solana_sdk::declare_id!("BkFDxiJQWZXGTZaJQxH7wVEHkAmwCgSEVkrvswFfRJPD"); solana_sdk::declare_id!("BkFDxiJQWZXGTZaJQxH7wVEHkAmwCgSEVkrvswFfRJPD");
} }
pub mod filter_votes_outside_slot_hashes {
solana_sdk::declare_id!("3gtZPqvPpsbXZVCx6hceMfWxtsmrjMzmg8C7PLKSxS2d");
}
lazy_static! { lazy_static! {
/// Map of feature identifiers to user-visible description /// Map of feature identifiers to user-visible description
pub static ref FEATURE_NAMES: HashMap<Pubkey, &'static str> = [ pub static ref FEATURE_NAMES: HashMap<Pubkey, &'static str> = [
@ -368,6 +372,7 @@ lazy_static! {
(cap_accounts_data_len::id(), "cap the accounts data len"), (cap_accounts_data_len::id(), "cap the accounts data len"),
(max_tx_account_locks::id(), "enforce max number of locked accounts per transaction"), (max_tx_account_locks::id(), "enforce max number of locked accounts per transaction"),
(require_rent_exempt_accounts::id(), "require all new transaction accounts with data to be rent-exempt"), (require_rent_exempt_accounts::id(), "require all new transaction accounts with data to be rent-exempt"),
(filter_votes_outside_slot_hashes::id(), "filter vote slots older than the slot hashes history"),
/*************** ADD NEW FEATURES HERE ***************/ /*************** ADD NEW FEATURES HERE ***************/
] ]
.iter() .iter()