Add new vote state version that replaces Lockout with LandedVote to a… (#30831)
Add new vote state version that replaces Lockout with LandedVote to allow vote latency to be tracked in a future change. Includes a feature to be enabled which will when enabled cause the vote state to be written in the new form.
This commit is contained in:
parent
6d2c14e147
commit
a45710838d
|
@ -42,7 +42,9 @@ use {
|
||||||
},
|
},
|
||||||
solana_vote_program::{
|
solana_vote_program::{
|
||||||
authorized_voters::AuthorizedVoters,
|
authorized_voters::AuthorizedVoters,
|
||||||
vote_state::{BlockTimestamp, Lockout, MAX_EPOCH_CREDITS_HISTORY, MAX_LOCKOUT_HISTORY},
|
vote_state::{
|
||||||
|
BlockTimestamp, LandedVote, Lockout, MAX_EPOCH_CREDITS_HISTORY, MAX_LOCKOUT_HISTORY,
|
||||||
|
},
|
||||||
},
|
},
|
||||||
std::{
|
std::{
|
||||||
collections::{BTreeMap, HashMap},
|
collections::{BTreeMap, HashMap},
|
||||||
|
@ -1643,6 +1645,15 @@ impl From<&Lockout> for CliLockout {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl From<&LandedVote> for CliLockout {
|
||||||
|
fn from(vote: &LandedVote) -> Self {
|
||||||
|
Self {
|
||||||
|
slot: vote.slot(),
|
||||||
|
confirmation_count: vote.confirmation_count(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Serialize, Deserialize)]
|
#[derive(Serialize, Deserialize)]
|
||||||
#[serde(rename_all = "camelCase")]
|
#[serde(rename_all = "camelCase")]
|
||||||
pub struct CliBlockTime {
|
pub struct CliBlockTime {
|
||||||
|
|
|
@ -3,6 +3,7 @@ use {
|
||||||
heaviest_subtree_fork_choice::HeaviestSubtreeForkChoice,
|
heaviest_subtree_fork_choice::HeaviestSubtreeForkChoice,
|
||||||
latest_validator_votes_for_frozen_banks::LatestValidatorVotesForFrozenBanks,
|
latest_validator_votes_for_frozen_banks::LatestValidatorVotesForFrozenBanks,
|
||||||
progress_map::{LockoutIntervals, ProgressMap},
|
progress_map::{LockoutIntervals, ProgressMap},
|
||||||
|
tower1_14_11::Tower1_14_11,
|
||||||
tower1_7_14::Tower1_7_14,
|
tower1_7_14::Tower1_7_14,
|
||||||
tower_storage::{SavedTower, SavedTowerVersions, TowerStorage},
|
tower_storage::{SavedTower, SavedTowerVersions, TowerStorage},
|
||||||
},
|
},
|
||||||
|
@ -24,8 +25,9 @@ use {
|
||||||
solana_vote_program::{
|
solana_vote_program::{
|
||||||
vote_instruction,
|
vote_instruction,
|
||||||
vote_state::{
|
vote_state::{
|
||||||
process_slot_vote_unchecked, process_vote_unchecked, BlockTimestamp, Lockout, Vote,
|
process_slot_vote_unchecked, process_vote_unchecked, BlockTimestamp, LandedVote,
|
||||||
VoteState, VoteStateUpdate, VoteTransaction, MAX_LOCKOUT_HISTORY,
|
Lockout, Vote, VoteState, VoteState1_14_11, VoteStateUpdate, VoteStateVersions,
|
||||||
|
VoteTransaction, MAX_LOCKOUT_HISTORY,
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
std::{
|
std::{
|
||||||
|
@ -155,6 +157,7 @@ pub(crate) struct ComputedBankState {
|
||||||
#[derive(Debug, Serialize, Deserialize, PartialEq, Clone)]
|
#[derive(Debug, Serialize, Deserialize, PartialEq, Clone)]
|
||||||
pub enum TowerVersions {
|
pub enum TowerVersions {
|
||||||
V1_17_14(Tower1_7_14),
|
V1_17_14(Tower1_7_14),
|
||||||
|
V1_14_11(Tower1_14_11),
|
||||||
Current(Tower),
|
Current(Tower),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -172,7 +175,8 @@ impl TowerVersions {
|
||||||
node_pubkey: tower.node_pubkey,
|
node_pubkey: tower.node_pubkey,
|
||||||
threshold_depth: tower.threshold_depth,
|
threshold_depth: tower.threshold_depth,
|
||||||
threshold_size: tower.threshold_size,
|
threshold_size: tower.threshold_size,
|
||||||
vote_state: tower.vote_state,
|
vote_state: VoteStateVersions::V1_14_11(Box::new(tower.vote_state))
|
||||||
|
.convert_to_current(),
|
||||||
last_vote: box_last_vote,
|
last_vote: box_last_vote,
|
||||||
last_vote_tx_blockhash: tower.last_vote_tx_blockhash,
|
last_vote_tx_blockhash: tower.last_vote_tx_blockhash,
|
||||||
last_timestamp: tower.last_timestamp,
|
last_timestamp: tower.last_timestamp,
|
||||||
|
@ -180,12 +184,24 @@ impl TowerVersions {
|
||||||
last_switch_threshold_check: tower.last_switch_threshold_check,
|
last_switch_threshold_check: tower.last_switch_threshold_check,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
TowerVersions::V1_14_11(tower) => Tower {
|
||||||
|
node_pubkey: tower.node_pubkey,
|
||||||
|
threshold_depth: tower.threshold_depth,
|
||||||
|
threshold_size: tower.threshold_size,
|
||||||
|
vote_state: VoteStateVersions::V1_14_11(Box::new(tower.vote_state))
|
||||||
|
.convert_to_current(),
|
||||||
|
last_vote: tower.last_vote,
|
||||||
|
last_vote_tx_blockhash: tower.last_vote_tx_blockhash,
|
||||||
|
last_timestamp: tower.last_timestamp,
|
||||||
|
stray_restored_slot: tower.stray_restored_slot,
|
||||||
|
last_switch_threshold_check: tower.last_switch_threshold_check,
|
||||||
|
},
|
||||||
TowerVersions::Current(tower) => tower,
|
TowerVersions::Current(tower) => tower,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[frozen_abi(digest = "HQoLKAJEQTuVy8nMSkVWbrH3M5xKksxdMEZHGLWbnX6w")]
|
#[frozen_abi(digest = "iZi6s9BvytU3HbRsibrAD71jwMLvrqHdCjVk6qKcVvd")]
|
||||||
#[derive(Clone, Serialize, Deserialize, Debug, PartialEq, AbiExample)]
|
#[derive(Clone, Serialize, Deserialize, Debug, PartialEq, AbiExample)]
|
||||||
pub struct Tower {
|
pub struct Tower {
|
||||||
pub node_pubkey: Pubkey,
|
pub node_pubkey: Pubkey,
|
||||||
|
@ -318,24 +334,30 @@ impl Tower {
|
||||||
};
|
};
|
||||||
for vote in &vote_state.votes {
|
for vote in &vote_state.votes {
|
||||||
lockout_intervals
|
lockout_intervals
|
||||||
.entry(vote.last_locked_out_slot())
|
.entry(vote.lockout.last_locked_out_slot())
|
||||||
.or_insert_with(Vec::new)
|
.or_insert_with(Vec::new)
|
||||||
.push((vote.slot(), key));
|
.push((vote.slot(), key));
|
||||||
}
|
}
|
||||||
|
|
||||||
if key == *vote_account_pubkey {
|
if key == *vote_account_pubkey {
|
||||||
my_latest_landed_vote = vote_state.nth_recent_vote(0).map(|v| v.slot());
|
my_latest_landed_vote = vote_state.nth_recent_lockout(0).map(|l| l.slot());
|
||||||
debug!("vote state {:?}", vote_state);
|
debug!("vote state {:?}", vote_state);
|
||||||
debug!(
|
debug!(
|
||||||
"observed slot {}",
|
"observed slot {}",
|
||||||
vote_state.nth_recent_vote(0).map(|v| v.slot()).unwrap_or(0) as i64
|
vote_state
|
||||||
|
.nth_recent_lockout(0)
|
||||||
|
.map(|l| l.slot())
|
||||||
|
.unwrap_or(0) as i64
|
||||||
);
|
);
|
||||||
debug!("observed root {}", vote_state.root_slot.unwrap_or(0) as i64);
|
debug!("observed root {}", vote_state.root_slot.unwrap_or(0) as i64);
|
||||||
datapoint_info!(
|
datapoint_info!(
|
||||||
"tower-observed",
|
"tower-observed",
|
||||||
(
|
(
|
||||||
"slot",
|
"slot",
|
||||||
vote_state.nth_recent_vote(0).map(|v| v.slot()).unwrap_or(0),
|
vote_state
|
||||||
|
.nth_recent_lockout(0)
|
||||||
|
.map(|l| l.slot())
|
||||||
|
.unwrap_or(0),
|
||||||
i64
|
i64
|
||||||
),
|
),
|
||||||
("root", vote_state.root_slot.unwrap_or(0), i64)
|
("root", vote_state.root_slot.unwrap_or(0), i64)
|
||||||
|
@ -356,7 +378,7 @@ impl Tower {
|
||||||
process_slot_vote_unchecked(&mut vote_state, bank_slot);
|
process_slot_vote_unchecked(&mut vote_state, bank_slot);
|
||||||
|
|
||||||
for vote in &vote_state.votes {
|
for vote in &vote_state.votes {
|
||||||
bank_weight += vote.lockout() as u128 * voted_stake as u128;
|
bank_weight += vote.lockout.lockout() as u128 * voted_stake as u128;
|
||||||
vote_slots.insert(vote.slot());
|
vote_slots.insert(vote.slot());
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -385,10 +407,10 @@ impl Tower {
|
||||||
// this vote stack is the simulated vote, so this fetch should be sufficient
|
// this vote stack is the simulated vote, so this fetch should be sufficient
|
||||||
// to find the last unsimulated vote.
|
// to find the last unsimulated vote.
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state.nth_recent_vote(0).map(|l| l.slot()),
|
vote_state.nth_recent_lockout(0).map(|l| l.slot()),
|
||||||
Some(bank_slot)
|
Some(bank_slot)
|
||||||
);
|
);
|
||||||
if let Some(vote) = vote_state.nth_recent_vote(1) {
|
if let Some(vote) = vote_state.nth_recent_lockout(1) {
|
||||||
// Update all the parents of this last vote with the stake of this vote account
|
// Update all the parents of this last vote with the stake of this vote account
|
||||||
Self::update_ancestor_voted_stakes(
|
Self::update_ancestor_voted_stakes(
|
||||||
&mut voted_stakes,
|
&mut voted_stakes,
|
||||||
|
@ -496,7 +518,11 @@ impl Tower {
|
||||||
let vote = Vote::new(vec![vote_slot], vote_hash);
|
let vote = Vote::new(vec![vote_slot], vote_hash);
|
||||||
process_vote_unchecked(&mut self.vote_state, vote);
|
process_vote_unchecked(&mut self.vote_state, vote);
|
||||||
VoteTransaction::from(VoteStateUpdate::new(
|
VoteTransaction::from(VoteStateUpdate::new(
|
||||||
self.vote_state.votes.clone(),
|
self.vote_state
|
||||||
|
.votes
|
||||||
|
.iter()
|
||||||
|
.map(|vote| vote.lockout)
|
||||||
|
.collect(),
|
||||||
self.vote_state.root_slot,
|
self.vote_state.root_slot,
|
||||||
vote_hash,
|
vote_hash,
|
||||||
))
|
))
|
||||||
|
@ -534,7 +560,8 @@ impl Tower {
|
||||||
/// Used for tests
|
/// Used for tests
|
||||||
pub fn increase_lockout(&mut self, confirmation_count_increase: u32) {
|
pub fn increase_lockout(&mut self, confirmation_count_increase: u32) {
|
||||||
for vote in self.vote_state.votes.iter_mut() {
|
for vote in self.vote_state.votes.iter_mut() {
|
||||||
vote.increase_confirmation_count(confirmation_count_increase);
|
vote.lockout
|
||||||
|
.increase_confirmation_count(confirmation_count_increase);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1005,24 +1032,25 @@ impl Tower {
|
||||||
) -> ThresholdDecision {
|
) -> ThresholdDecision {
|
||||||
let mut vote_state = self.vote_state.clone();
|
let mut vote_state = self.vote_state.clone();
|
||||||
process_slot_vote_unchecked(&mut vote_state, slot);
|
process_slot_vote_unchecked(&mut vote_state, slot);
|
||||||
let vote = vote_state.nth_recent_vote(self.threshold_depth);
|
let lockout = vote_state.nth_recent_lockout(self.threshold_depth);
|
||||||
if let Some(vote) = vote {
|
if let Some(lockout) = lockout {
|
||||||
if let Some(fork_stake) = voted_stakes.get(&vote.slot()) {
|
if let Some(fork_stake) = voted_stakes.get(&lockout.slot()) {
|
||||||
let lockout = *fork_stake as f64 / total_stake as f64;
|
let lockout_stake = *fork_stake as f64 / total_stake as f64;
|
||||||
trace!(
|
trace!(
|
||||||
"fork_stake slot: {}, vote slot: {}, lockout: {} fork_stake: {} total_stake: {}",
|
"fork_stake slot: {}, vote slot: {}, lockout: {} fork_stake: {} total_stake: {}",
|
||||||
slot, vote.slot(), lockout, fork_stake, total_stake
|
slot, lockout.slot(), lockout_stake, fork_stake, total_stake
|
||||||
);
|
);
|
||||||
if vote.confirmation_count() as usize > self.threshold_depth {
|
if lockout.confirmation_count() as usize > self.threshold_depth {
|
||||||
for old_vote in &self.vote_state.votes {
|
for old_vote in &self.vote_state.votes {
|
||||||
if old_vote.slot() == vote.slot()
|
if old_vote.slot() == lockout.slot()
|
||||||
&& old_vote.confirmation_count() == vote.confirmation_count()
|
&& old_vote.confirmation_count() == lockout.confirmation_count()
|
||||||
{
|
{
|
||||||
return ThresholdDecision::PassedThreshold;
|
return ThresholdDecision::PassedThreshold;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
if lockout > self.threshold_size {
|
|
||||||
|
if lockout_stake > self.threshold_size {
|
||||||
return ThresholdDecision::PassedThreshold;
|
return ThresholdDecision::PassedThreshold;
|
||||||
}
|
}
|
||||||
ThresholdDecision::FailedThreshold(*fork_stake)
|
ThresholdDecision::FailedThreshold(*fork_stake)
|
||||||
|
@ -1303,7 +1331,7 @@ impl Tower {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn initialize_lockouts<F: FnMut(&Lockout) -> bool>(&mut self, should_retain: F) {
|
fn initialize_lockouts<F: FnMut(&LandedVote) -> bool>(&mut self, should_retain: F) {
|
||||||
self.vote_state.votes.retain(should_retain);
|
self.vote_state.votes.retain(should_retain);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1351,6 +1379,25 @@ pub enum TowerError {
|
||||||
HardFork(Slot),
|
HardFork(Slot),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Tower1_14_11 is the persisted data format for the Tower, decoupling it from VoteState::Current
|
||||||
|
// From Tower1_14_11 to Tower is not implemented because it is not an expected conversion
|
||||||
|
#[allow(clippy::from_over_into)]
|
||||||
|
impl Into<Tower1_14_11> for Tower {
|
||||||
|
fn into(self) -> Tower1_14_11 {
|
||||||
|
Tower1_14_11 {
|
||||||
|
node_pubkey: self.node_pubkey,
|
||||||
|
threshold_depth: self.threshold_depth,
|
||||||
|
threshold_size: self.threshold_size,
|
||||||
|
vote_state: VoteState1_14_11::from(self.vote_state.clone()),
|
||||||
|
last_vote: self.last_vote.clone(),
|
||||||
|
last_vote_tx_blockhash: self.last_vote_tx_blockhash,
|
||||||
|
last_timestamp: self.last_timestamp,
|
||||||
|
stray_restored_slot: self.stray_restored_slot,
|
||||||
|
last_switch_threshold_check: self.last_switch_threshold_check,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl TowerError {
|
impl TowerError {
|
||||||
pub fn is_file_missing(&self) -> bool {
|
pub fn is_file_missing(&self) -> bool {
|
||||||
if let TowerError::IoError(io_err) = &self {
|
if let TowerError::IoError(io_err) = &self {
|
||||||
|
@ -2190,7 +2237,7 @@ pub mod test {
|
||||||
.vote_state
|
.vote_state
|
||||||
.votes
|
.votes
|
||||||
.iter()
|
.iter()
|
||||||
.map(|v| v.lockout() as u128)
|
.map(|v| v.lockout.lockout() as u128)
|
||||||
.sum::<u128>()
|
.sum::<u128>()
|
||||||
+ root_weight;
|
+ root_weight;
|
||||||
let expected_bank_weight = 2 * vote_account_expected_weight;
|
let expected_bank_weight = 2 * vote_account_expected_weight;
|
||||||
|
@ -3190,8 +3237,14 @@ pub mod test {
|
||||||
#[test]
|
#[test]
|
||||||
fn test_adjust_lockouts_after_replay_time_warped() {
|
fn test_adjust_lockouts_after_replay_time_warped() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(1));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(0));
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(1)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(0)));
|
||||||
let vote = Vote::new(vec![0], Hash::default());
|
let vote = Vote::new(vec![0], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3208,8 +3261,14 @@ pub mod test {
|
||||||
#[test]
|
#[test]
|
||||||
fn test_adjust_lockouts_after_replay_diverged_ancestor() {
|
fn test_adjust_lockouts_after_replay_diverged_ancestor() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(1));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(2));
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(1)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(2)));
|
||||||
let vote = Vote::new(vec![2], Hash::default());
|
let vote = Vote::new(vec![2], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3232,9 +3291,15 @@ pub mod test {
|
||||||
tower
|
tower
|
||||||
.vote_state
|
.vote_state
|
||||||
.votes
|
.votes
|
||||||
.push_back(Lockout::new(MAX_ENTRIES - 1));
|
.push_back(LandedVote::from(Lockout::new(MAX_ENTRIES - 1)));
|
||||||
tower.vote_state.votes.push_back(Lockout::new(0));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(1));
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(0)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(1)));
|
||||||
let vote = Vote::new(vec![1], Hash::default());
|
let vote = Vote::new(vec![1], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3252,8 +3317,14 @@ pub mod test {
|
||||||
#[should_panic(expected = "slot_in_tower(2) < checked_slot(1)")]
|
#[should_panic(expected = "slot_in_tower(2) < checked_slot(1)")]
|
||||||
fn test_adjust_lockouts_after_replay_reversed_votes() {
|
fn test_adjust_lockouts_after_replay_reversed_votes() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(2));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(1));
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(2)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(1)));
|
||||||
let vote = Vote::new(vec![1], Hash::default());
|
let vote = Vote::new(vec![1], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3270,9 +3341,18 @@ pub mod test {
|
||||||
#[should_panic(expected = "slot_in_tower(3) < checked_slot(3)")]
|
#[should_panic(expected = "slot_in_tower(3) < checked_slot(3)")]
|
||||||
fn test_adjust_lockouts_after_replay_repeated_non_root_votes() {
|
fn test_adjust_lockouts_after_replay_repeated_non_root_votes() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(2));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(3));
|
.vote_state
|
||||||
tower.vote_state.votes.push_back(Lockout::new(3));
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(2)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(3)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(3)));
|
||||||
let vote = Vote::new(vec![3], Hash::default());
|
let vote = Vote::new(vec![3], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3289,9 +3369,18 @@ pub mod test {
|
||||||
fn test_adjust_lockouts_after_replay_vote_on_root() {
|
fn test_adjust_lockouts_after_replay_vote_on_root() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.root_slot = Some(42);
|
tower.vote_state.root_slot = Some(42);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(42));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(43));
|
.vote_state
|
||||||
tower.vote_state.votes.push_back(Lockout::new(44));
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(42)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(43)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(44)));
|
||||||
let vote = Vote::new(vec![44], Hash::default());
|
let vote = Vote::new(vec![44], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3305,7 +3394,10 @@ pub mod test {
|
||||||
#[test]
|
#[test]
|
||||||
fn test_adjust_lockouts_after_replay_vote_on_genesis() {
|
fn test_adjust_lockouts_after_replay_vote_on_genesis() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(0));
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(0)));
|
||||||
let vote = Vote::new(vec![0], Hash::default());
|
let vote = Vote::new(vec![0], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
|
|
||||||
|
@ -3318,8 +3410,14 @@ pub mod test {
|
||||||
#[test]
|
#[test]
|
||||||
fn test_adjust_lockouts_after_replay_future_tower() {
|
fn test_adjust_lockouts_after_replay_future_tower() {
|
||||||
let mut tower = Tower::new_for_tests(10, 0.9);
|
let mut tower = Tower::new_for_tests(10, 0.9);
|
||||||
tower.vote_state.votes.push_back(Lockout::new(13));
|
tower
|
||||||
tower.vote_state.votes.push_back(Lockout::new(14));
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(13)));
|
||||||
|
tower
|
||||||
|
.vote_state
|
||||||
|
.votes
|
||||||
|
.push_back(LandedVote::from(Lockout::new(14)));
|
||||||
let vote = Vote::new(vec![14], Hash::default());
|
let vote = Vote::new(vec![14], Hash::default());
|
||||||
tower.last_vote = VoteTransaction::from(vote);
|
tower.last_vote = VoteTransaction::from(vote);
|
||||||
tower.initialize_root(12);
|
tower.initialize_root(12);
|
||||||
|
|
|
@ -70,6 +70,7 @@ pub mod snapshot_packager_service;
|
||||||
pub mod staked_nodes_updater_service;
|
pub mod staked_nodes_updater_service;
|
||||||
pub mod stats_reporter_service;
|
pub mod stats_reporter_service;
|
||||||
pub mod system_monitor_service;
|
pub mod system_monitor_service;
|
||||||
|
mod tower1_14_11;
|
||||||
mod tower1_7_14;
|
mod tower1_7_14;
|
||||||
pub mod tower_storage;
|
pub mod tower_storage;
|
||||||
pub mod tpu;
|
pub mod tpu;
|
||||||
|
|
|
@ -0,0 +1,34 @@
|
||||||
|
use {
|
||||||
|
crate::consensus::SwitchForkDecision,
|
||||||
|
solana_sdk::{clock::Slot, hash::Hash, pubkey::Pubkey},
|
||||||
|
solana_vote_program::vote_state::{
|
||||||
|
vote_state_1_14_11::VoteState1_14_11, BlockTimestamp, VoteTransaction,
|
||||||
|
},
|
||||||
|
};
|
||||||
|
|
||||||
|
#[frozen_abi(digest = "F83xHQA1wxoFDy25MTKXXmFXTc9Jbp6SXRXEPcehtKbQ")]
|
||||||
|
#[derive(Clone, Serialize, Deserialize, Debug, PartialEq, AbiExample)]
|
||||||
|
pub struct Tower1_14_11 {
|
||||||
|
pub(crate) node_pubkey: Pubkey,
|
||||||
|
pub(crate) threshold_depth: usize,
|
||||||
|
pub(crate) threshold_size: f64,
|
||||||
|
pub(crate) vote_state: VoteState1_14_11,
|
||||||
|
pub(crate) last_vote: VoteTransaction,
|
||||||
|
#[serde(skip)]
|
||||||
|
// The blockhash used in the last vote transaction, may or may not equal the
|
||||||
|
// blockhash of the voted block itself, depending if the vote slot was refreshed.
|
||||||
|
// For instance, a vote for slot 5, may be refreshed/resubmitted for inclusion in
|
||||||
|
// block 10, in which case `last_vote_tx_blockhash` equals the blockhash of 10, not 5.
|
||||||
|
pub(crate) last_vote_tx_blockhash: Hash,
|
||||||
|
pub(crate) last_timestamp: BlockTimestamp,
|
||||||
|
#[serde(skip)]
|
||||||
|
// Restored last voted slot which cannot be found in SlotHistory at replayed root
|
||||||
|
// (This is a special field for slashing-free validator restart with edge cases).
|
||||||
|
// This could be emptied after some time; but left intact indefinitely for easier
|
||||||
|
// implementation
|
||||||
|
// Further, stray slot can be stale or not. `Stale` here means whether given
|
||||||
|
// bank_forks (=~ ledger) lacks the slot or not.
|
||||||
|
pub(crate) stray_restored_slot: Option<Slot>,
|
||||||
|
#[serde(skip)]
|
||||||
|
pub(crate) last_switch_threshold_check: Option<(Slot, SwitchForkDecision)>,
|
||||||
|
}
|
|
@ -6,16 +6,16 @@ use {
|
||||||
pubkey::Pubkey,
|
pubkey::Pubkey,
|
||||||
signature::{Signature, Signer},
|
signature::{Signature, Signer},
|
||||||
},
|
},
|
||||||
solana_vote_program::vote_state::{BlockTimestamp, Vote, VoteState},
|
solana_vote_program::vote_state::{vote_state_1_14_11::VoteState1_14_11, BlockTimestamp, Vote},
|
||||||
};
|
};
|
||||||
|
|
||||||
#[frozen_abi(digest = "8EBpwHf9gys2irNgyRCEe6A5KSh4RK875Fa46yA2NSoN")]
|
#[frozen_abi(digest = "9Kc3Cpak93xdL8bCnEwMWA8ZLGCBNfqh9PLo1o5RiPyT")]
|
||||||
#[derive(Clone, Serialize, Deserialize, Debug, PartialEq, AbiExample)]
|
#[derive(Clone, Serialize, Deserialize, Debug, PartialEq, AbiExample)]
|
||||||
pub struct Tower1_7_14 {
|
pub struct Tower1_7_14 {
|
||||||
pub(crate) node_pubkey: Pubkey,
|
pub(crate) node_pubkey: Pubkey,
|
||||||
pub(crate) threshold_depth: usize,
|
pub(crate) threshold_depth: usize,
|
||||||
pub(crate) threshold_size: f64,
|
pub(crate) threshold_size: f64,
|
||||||
pub(crate) vote_state: VoteState,
|
pub(crate) vote_state: VoteState1_14_11,
|
||||||
pub(crate) last_vote: Vote,
|
pub(crate) last_vote: Vote,
|
||||||
#[serde(skip)]
|
#[serde(skip)]
|
||||||
// The blockhash used in the last vote transaction, may or may not equal the
|
// The blockhash used in the last vote transaction, may or may not equal the
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use {
|
use {
|
||||||
crate::{
|
crate::{
|
||||||
consensus::{Result, Tower, TowerError, TowerVersions},
|
consensus::{Result, Tower, TowerError, TowerVersions},
|
||||||
|
tower1_14_11::Tower1_14_11,
|
||||||
tower1_7_14::SavedTower1_7_14,
|
tower1_7_14::SavedTower1_7_14,
|
||||||
},
|
},
|
||||||
solana_sdk::{
|
solana_sdk::{
|
||||||
|
@ -36,7 +37,7 @@ impl SavedTowerVersions {
|
||||||
if !t.signature.verify(node_pubkey.as_ref(), &t.data) {
|
if !t.signature.verify(node_pubkey.as_ref(), &t.data) {
|
||||||
return Err(TowerError::InvalidSignature);
|
return Err(TowerError::InvalidSignature);
|
||||||
}
|
}
|
||||||
bincode::deserialize(&t.data).map(TowerVersions::Current)
|
bincode::deserialize(&t.data).map(TowerVersions::V1_14_11)
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
tv.map_err(|e| e.into()).and_then(|tv: TowerVersions| {
|
tv.map_err(|e| e.into()).and_then(|tv: TowerVersions| {
|
||||||
|
@ -94,7 +95,10 @@ impl SavedTower {
|
||||||
)));
|
)));
|
||||||
}
|
}
|
||||||
|
|
||||||
let data = bincode::serialize(tower)?;
|
// SavedTower always stores its data in 1_14_11 format
|
||||||
|
let tower: Tower1_14_11 = tower.clone().into();
|
||||||
|
|
||||||
|
let data = bincode::serialize(&tower)?;
|
||||||
let signature = keypair.sign_message(&data);
|
let signature = keypair.sign_message(&data);
|
||||||
Ok(Self {
|
Ok(Self {
|
||||||
signature,
|
signature,
|
||||||
|
@ -376,7 +380,8 @@ pub mod test {
|
||||||
},
|
},
|
||||||
solana_sdk::{hash::Hash, signature::Keypair},
|
solana_sdk::{hash::Hash, signature::Keypair},
|
||||||
solana_vote_program::vote_state::{
|
solana_vote_program::vote_state::{
|
||||||
BlockTimestamp, Lockout, Vote, VoteState, VoteTransaction, MAX_LOCKOUT_HISTORY,
|
BlockTimestamp, LandedVote, Vote, VoteState, VoteState1_14_11, VoteTransaction,
|
||||||
|
MAX_LOCKOUT_HISTORY,
|
||||||
},
|
},
|
||||||
tempfile::TempDir,
|
tempfile::TempDir,
|
||||||
};
|
};
|
||||||
|
@ -389,7 +394,7 @@ pub mod test {
|
||||||
let mut vote_state = VoteState::default();
|
let mut vote_state = VoteState::default();
|
||||||
vote_state
|
vote_state
|
||||||
.votes
|
.votes
|
||||||
.resize(MAX_LOCKOUT_HISTORY, Lockout::default());
|
.resize(MAX_LOCKOUT_HISTORY, LandedVote::default());
|
||||||
vote_state.root_slot = Some(1);
|
vote_state.root_slot = Some(1);
|
||||||
|
|
||||||
let vote = Vote::new(vec![1, 2, 3, 4], Hash::default());
|
let vote = Vote::new(vec![1, 2, 3, 4], Hash::default());
|
||||||
|
@ -399,7 +404,7 @@ pub mod test {
|
||||||
node_pubkey,
|
node_pubkey,
|
||||||
threshold_depth: 10,
|
threshold_depth: 10,
|
||||||
threshold_size: 0.9,
|
threshold_size: 0.9,
|
||||||
vote_state,
|
vote_state: VoteState1_14_11::from(vote_state),
|
||||||
last_vote: vote.clone(),
|
last_vote: vote.clone(),
|
||||||
last_timestamp: BlockTimestamp::default(),
|
last_timestamp: BlockTimestamp::default(),
|
||||||
last_vote_tx_blockhash: Hash::default(),
|
last_vote_tx_blockhash: Hash::default(),
|
||||||
|
|
|
@ -79,7 +79,13 @@ declare_process_instruction!(process_instruction, 2100, |invoke_context| {
|
||||||
}
|
}
|
||||||
let clock =
|
let clock =
|
||||||
get_sysvar_with_account_check::clock(invoke_context, instruction_context, 2)?;
|
get_sysvar_with_account_check::clock(invoke_context, instruction_context, 2)?;
|
||||||
vote_state::initialize_account(&mut me, &vote_init, &signers, &clock)
|
vote_state::initialize_account(
|
||||||
|
&mut me,
|
||||||
|
&vote_init,
|
||||||
|
&signers,
|
||||||
|
&clock,
|
||||||
|
&invoke_context.feature_set,
|
||||||
|
)
|
||||||
}
|
}
|
||||||
VoteInstruction::Authorize(voter_pubkey, vote_authorize) => {
|
VoteInstruction::Authorize(voter_pubkey, vote_authorize) => {
|
||||||
let clock =
|
let clock =
|
||||||
|
@ -130,7 +136,12 @@ declare_process_instruction!(process_instruction, 2100, |invoke_context| {
|
||||||
let node_pubkey = transaction_context.get_key_of_account_at_index(
|
let node_pubkey = transaction_context.get_key_of_account_at_index(
|
||||||
instruction_context.get_index_of_instruction_account_in_transaction(1)?,
|
instruction_context.get_index_of_instruction_account_in_transaction(1)?,
|
||||||
)?;
|
)?;
|
||||||
vote_state::update_validator_identity(&mut me, node_pubkey, &signers)
|
vote_state::update_validator_identity(
|
||||||
|
&mut me,
|
||||||
|
node_pubkey,
|
||||||
|
&signers,
|
||||||
|
&invoke_context.feature_set,
|
||||||
|
)
|
||||||
}
|
}
|
||||||
VoteInstruction::UpdateCommission(commission) => {
|
VoteInstruction::UpdateCommission(commission) => {
|
||||||
if invoke_context.feature_set.is_active(
|
if invoke_context.feature_set.is_active(
|
||||||
|
@ -143,7 +154,12 @@ declare_process_instruction!(process_instruction, 2100, |invoke_context| {
|
||||||
return Err(VoteError::CommissionUpdateTooLate.into());
|
return Err(VoteError::CommissionUpdateTooLate.into());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
vote_state::update_commission(&mut me, commission, &signers)
|
vote_state::update_commission(
|
||||||
|
&mut me,
|
||||||
|
commission,
|
||||||
|
&signers,
|
||||||
|
&invoke_context.feature_set,
|
||||||
|
)
|
||||||
}
|
}
|
||||||
VoteInstruction::Vote(vote) | VoteInstruction::VoteSwitch(vote, _) => {
|
VoteInstruction::Vote(vote) | VoteInstruction::VoteSwitch(vote, _) => {
|
||||||
let slot_hashes =
|
let slot_hashes =
|
||||||
|
@ -228,6 +244,7 @@ declare_process_instruction!(process_instruction, 2100, |invoke_context| {
|
||||||
&signers,
|
&signers,
|
||||||
&rent_sysvar,
|
&rent_sysvar,
|
||||||
clock_if_feature_active.as_deref(),
|
clock_if_feature_active.as_deref(),
|
||||||
|
&invoke_context.feature_set,
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
VoteInstruction::AuthorizeChecked(vote_authorize) => {
|
VoteInstruction::AuthorizeChecked(vote_authorize) => {
|
||||||
|
@ -798,7 +815,9 @@ mod tests {
|
||||||
.convert_to_current();
|
.convert_to_current();
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state.votes,
|
vote_state.votes,
|
||||||
vec![Lockout::new(*vote.slots.last().unwrap())]
|
vec![vote_state::LandedVote::from(Lockout::new(
|
||||||
|
*vote.slots.last().unwrap()
|
||||||
|
))]
|
||||||
);
|
);
|
||||||
assert_eq!(vote_state.credits(), 0);
|
assert_eq!(vote_state.credits(), 0);
|
||||||
|
|
||||||
|
|
|
@ -141,6 +141,40 @@ pub fn to<T: WritableAccount>(versioned: &VoteStateVersions, account: &mut T) ->
|
||||||
VoteState::serialize(versioned, account.data_as_mut_slice()).ok()
|
VoteState::serialize(versioned, account.data_as_mut_slice()).ok()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Updates the vote account state with a new VoteState instance. This is required temporarily during the
|
||||||
|
// upgrade of vote account state from V1_14_11 to Current.
|
||||||
|
fn set_vote_account_state(
|
||||||
|
vote_account: &mut BorrowedAccount,
|
||||||
|
vote_state: VoteState,
|
||||||
|
feature_set: &FeatureSet,
|
||||||
|
) -> Result<(), InstructionError> {
|
||||||
|
// Only if vote_state_add_vote_latency feature is enabled should the new version of vote state be stored
|
||||||
|
if feature_set.is_active(&feature_set::vote_state_add_vote_latency::id()) {
|
||||||
|
// If the account is not large enough to store the vote state, then attempt a realloc to make it large enough.
|
||||||
|
// The realloc can only proceed if the vote account has balance sufficient for rent exemption at the new size.
|
||||||
|
if (vote_account.get_data().len() < VoteStateVersions::vote_state_size_of(true))
|
||||||
|
&& (!vote_account
|
||||||
|
.is_rent_exempt_at_data_length(VoteStateVersions::vote_state_size_of(true))
|
||||||
|
|| vote_account
|
||||||
|
.set_data_length(VoteStateVersions::vote_state_size_of(true))
|
||||||
|
.is_err())
|
||||||
|
{
|
||||||
|
// Account cannot be resized to the size of a vote state as it will not be rent exempt, or failed to be
|
||||||
|
// resized for other reasons. So store the V1_14_11 version.
|
||||||
|
return vote_account.set_state(&VoteStateVersions::V1_14_11(Box::new(
|
||||||
|
VoteState1_14_11::from(vote_state),
|
||||||
|
)));
|
||||||
|
}
|
||||||
|
// Vote account is large enough to store the newest version of vote state
|
||||||
|
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
||||||
|
// Else when the vote_state_add_vote_latency feature is not enabled, then the V1_14_11 version is stored
|
||||||
|
} else {
|
||||||
|
vote_account.set_state(&VoteStateVersions::V1_14_11(Box::new(
|
||||||
|
VoteState1_14_11::from(vote_state),
|
||||||
|
)))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
fn check_update_vote_state_slots_are_valid(
|
fn check_update_vote_state_slots_are_valid(
|
||||||
vote_state: &VoteState,
|
vote_state: &VoteState,
|
||||||
vote_state_update: &mut VoteStateUpdate,
|
vote_state_update: &mut VoteStateUpdate,
|
||||||
|
@ -191,18 +225,18 @@ fn check_update_vote_state_slots_are_valid(
|
||||||
if is_root_fix_enabled {
|
if is_root_fix_enabled {
|
||||||
let mut prev_slot = Slot::MAX;
|
let mut prev_slot = Slot::MAX;
|
||||||
let current_root = vote_state_update.root;
|
let current_root = vote_state_update.root;
|
||||||
for lockout in vote_state.votes.iter().rev() {
|
for vote in vote_state.votes.iter().rev() {
|
||||||
let is_slot_bigger_than_root = current_root
|
let is_slot_bigger_than_root = current_root
|
||||||
.map(|current_root| lockout.slot() > current_root)
|
.map(|current_root| vote.slot() > current_root)
|
||||||
.unwrap_or(true);
|
.unwrap_or(true);
|
||||||
// Ensure we're iterating from biggest to smallest vote in the
|
// Ensure we're iterating from biggest to smallest vote in the
|
||||||
// current vote state
|
// current vote state
|
||||||
assert!(lockout.slot() < prev_slot && is_slot_bigger_than_root);
|
assert!(vote.slot() < prev_slot && is_slot_bigger_than_root);
|
||||||
if lockout.slot() <= new_proposed_root {
|
if vote.slot() <= new_proposed_root {
|
||||||
vote_state_update.root = Some(lockout.slot());
|
vote_state_update.root = Some(vote.slot());
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
prev_slot = lockout.slot();
|
prev_slot = vote.slot();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -630,7 +664,7 @@ pub fn process_new_vote_state(
|
||||||
// lockouts are corrects.
|
// lockouts are corrects.
|
||||||
match current_vote.slot().cmp(&new_vote.slot()) {
|
match current_vote.slot().cmp(&new_vote.slot()) {
|
||||||
Ordering::Less => {
|
Ordering::Less => {
|
||||||
if current_vote.last_locked_out_slot() >= new_vote.slot() {
|
if current_vote.lockout.last_locked_out_slot() >= new_vote.slot() {
|
||||||
return Err(VoteError::LockoutConflict);
|
return Err(VoteError::LockoutConflict);
|
||||||
}
|
}
|
||||||
current_vote_state_index = current_vote_state_index
|
current_vote_state_index = current_vote_state_index
|
||||||
|
@ -681,7 +715,10 @@ pub fn process_new_vote_state(
|
||||||
vote_state.process_timestamp(last_slot, timestamp)?;
|
vote_state.process_timestamp(last_slot, timestamp)?;
|
||||||
}
|
}
|
||||||
vote_state.root_slot = new_root;
|
vote_state.root_slot = new_root;
|
||||||
vote_state.votes = new_state;
|
vote_state.votes = new_state
|
||||||
|
.into_iter()
|
||||||
|
.map(|lockout| lockout.into())
|
||||||
|
.collect();
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -796,7 +833,7 @@ pub fn authorize<S: std::hash::BuildHasher>(
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
set_vote_account_state(vote_account, vote_state, feature_set)
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Update the node_pubkey, requires signature of the authorized voter
|
/// Update the node_pubkey, requires signature of the authorized voter
|
||||||
|
@ -804,6 +841,7 @@ pub fn update_validator_identity<S: std::hash::BuildHasher>(
|
||||||
vote_account: &mut BorrowedAccount,
|
vote_account: &mut BorrowedAccount,
|
||||||
node_pubkey: &Pubkey,
|
node_pubkey: &Pubkey,
|
||||||
signers: &HashSet<Pubkey, S>,
|
signers: &HashSet<Pubkey, S>,
|
||||||
|
feature_set: &FeatureSet,
|
||||||
) -> Result<(), InstructionError> {
|
) -> Result<(), InstructionError> {
|
||||||
let mut vote_state: VoteState = vote_account
|
let mut vote_state: VoteState = vote_account
|
||||||
.get_state::<VoteStateVersions>()?
|
.get_state::<VoteStateVersions>()?
|
||||||
|
@ -817,7 +855,7 @@ pub fn update_validator_identity<S: std::hash::BuildHasher>(
|
||||||
|
|
||||||
vote_state.node_pubkey = *node_pubkey;
|
vote_state.node_pubkey = *node_pubkey;
|
||||||
|
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
set_vote_account_state(vote_account, vote_state, feature_set)
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Update the vote account's commission
|
/// Update the vote account's commission
|
||||||
|
@ -825,6 +863,7 @@ pub fn update_commission<S: std::hash::BuildHasher>(
|
||||||
vote_account: &mut BorrowedAccount,
|
vote_account: &mut BorrowedAccount,
|
||||||
commission: u8,
|
commission: u8,
|
||||||
signers: &HashSet<Pubkey, S>,
|
signers: &HashSet<Pubkey, S>,
|
||||||
|
feature_set: &FeatureSet,
|
||||||
) -> Result<(), InstructionError> {
|
) -> Result<(), InstructionError> {
|
||||||
let mut vote_state: VoteState = vote_account
|
let mut vote_state: VoteState = vote_account
|
||||||
.get_state::<VoteStateVersions>()?
|
.get_state::<VoteStateVersions>()?
|
||||||
|
@ -835,7 +874,7 @@ pub fn update_commission<S: std::hash::BuildHasher>(
|
||||||
|
|
||||||
vote_state.commission = commission;
|
vote_state.commission = commission;
|
||||||
|
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
set_vote_account_state(vote_account, vote_state, feature_set)
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Given the current slot and epoch schedule, determine if a commission change
|
/// Given the current slot and epoch schedule, determine if a commission change
|
||||||
|
@ -875,6 +914,7 @@ pub fn withdraw<S: std::hash::BuildHasher>(
|
||||||
signers: &HashSet<Pubkey, S>,
|
signers: &HashSet<Pubkey, S>,
|
||||||
rent_sysvar: &Rent,
|
rent_sysvar: &Rent,
|
||||||
clock: Option<&Clock>,
|
clock: Option<&Clock>,
|
||||||
|
feature_set: &FeatureSet,
|
||||||
) -> Result<(), InstructionError> {
|
) -> Result<(), InstructionError> {
|
||||||
let mut vote_account = instruction_context
|
let mut vote_account = instruction_context
|
||||||
.try_borrow_instruction_account(transaction_context, vote_account_index)?;
|
.try_borrow_instruction_account(transaction_context, vote_account_index)?;
|
||||||
|
@ -907,7 +947,7 @@ pub fn withdraw<S: std::hash::BuildHasher>(
|
||||||
} else {
|
} else {
|
||||||
// Deinitialize upon zero-balance
|
// Deinitialize upon zero-balance
|
||||||
datapoint_debug!("vote-account-close", ("allow", 1, i64));
|
datapoint_debug!("vote-account-close", ("allow", 1, i64));
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(VoteState::default()))?;
|
set_vote_account_state(&mut vote_account, VoteState::default(), feature_set)?;
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
let min_rent_exempt_balance = rent_sysvar.minimum_balance(vote_account.get_data().len());
|
let min_rent_exempt_balance = rent_sysvar.minimum_balance(vote_account.get_data().len());
|
||||||
|
@ -932,8 +972,13 @@ pub fn initialize_account<S: std::hash::BuildHasher>(
|
||||||
vote_init: &VoteInit,
|
vote_init: &VoteInit,
|
||||||
signers: &HashSet<Pubkey, S>,
|
signers: &HashSet<Pubkey, S>,
|
||||||
clock: &Clock,
|
clock: &Clock,
|
||||||
|
feature_set: &FeatureSet,
|
||||||
) -> Result<(), InstructionError> {
|
) -> Result<(), InstructionError> {
|
||||||
if vote_account.get_data().len() != VoteState::size_of() {
|
if vote_account.get_data().len()
|
||||||
|
!= VoteStateVersions::vote_state_size_of(
|
||||||
|
feature_set.is_active(&feature_set::vote_state_add_vote_latency::id()),
|
||||||
|
)
|
||||||
|
{
|
||||||
return Err(InstructionError::InvalidAccountData);
|
return Err(InstructionError::InvalidAccountData);
|
||||||
}
|
}
|
||||||
let versioned = vote_account.get_state::<VoteStateVersions>()?;
|
let versioned = vote_account.get_state::<VoteStateVersions>()?;
|
||||||
|
@ -945,9 +990,7 @@ pub fn initialize_account<S: std::hash::BuildHasher>(
|
||||||
// node must agree to accept this vote account
|
// node must agree to accept this vote account
|
||||||
verify_authorized_signer(&vote_init.node_pubkey, signers)?;
|
verify_authorized_signer(&vote_init.node_pubkey, signers)?;
|
||||||
|
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(VoteState::new(
|
set_vote_account_state(vote_account, VoteState::new(vote_init, clock), feature_set)
|
||||||
vote_init, clock,
|
|
||||||
)))
|
|
||||||
}
|
}
|
||||||
|
|
||||||
fn verify_and_get_vote_state<S: std::hash::BuildHasher>(
|
fn verify_and_get_vote_state<S: std::hash::BuildHasher>(
|
||||||
|
@ -992,7 +1035,7 @@ pub fn process_vote_with_account<S: std::hash::BuildHasher>(
|
||||||
.ok_or(VoteError::EmptySlots)
|
.ok_or(VoteError::EmptySlots)
|
||||||
.and_then(|slot| vote_state.process_timestamp(*slot, timestamp))?;
|
.and_then(|slot| vote_state.process_timestamp(*slot, timestamp))?;
|
||||||
}
|
}
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
set_vote_account_state(vote_account, vote_state, feature_set)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn process_vote_state_update<S: std::hash::BuildHasher>(
|
pub fn process_vote_state_update<S: std::hash::BuildHasher>(
|
||||||
|
@ -1011,7 +1054,7 @@ pub fn process_vote_state_update<S: std::hash::BuildHasher>(
|
||||||
vote_state_update,
|
vote_state_update,
|
||||||
Some(feature_set),
|
Some(feature_set),
|
||||||
)?;
|
)?;
|
||||||
vote_account.set_state(&VoteStateVersions::new_current(vote_state))
|
set_vote_account_state(vote_account, vote_state, feature_set)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn do_process_vote_state_update(
|
pub fn do_process_vote_state_update(
|
||||||
|
@ -1037,6 +1080,12 @@ pub fn do_process_vote_state_update(
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// This function is used:
|
||||||
|
// a. In many tests.
|
||||||
|
// b. In the genesis tool that initializes a cluster to create the bootstrap validator.
|
||||||
|
// c. In the ledger tool when creating bootstrap vote accounts.
|
||||||
|
// In all cases, initializing with the 1_14_11 version of VoteState is safest, as this version will in-place upgrade
|
||||||
|
// the first time it is altered by a vote transaction.
|
||||||
pub fn create_account_with_authorized(
|
pub fn create_account_with_authorized(
|
||||||
node_pubkey: &Pubkey,
|
node_pubkey: &Pubkey,
|
||||||
authorized_voter: &Pubkey,
|
authorized_voter: &Pubkey,
|
||||||
|
@ -1044,7 +1093,7 @@ pub fn create_account_with_authorized(
|
||||||
commission: u8,
|
commission: u8,
|
||||||
lamports: u64,
|
lamports: u64,
|
||||||
) -> AccountSharedData {
|
) -> AccountSharedData {
|
||||||
let mut vote_account = AccountSharedData::new(lamports, VoteState::size_of(), &id());
|
let mut vote_account = AccountSharedData::new(lamports, VoteState1_14_11::size_of(), &id());
|
||||||
|
|
||||||
let vote_state = VoteState::new(
|
let vote_state = VoteState::new(
|
||||||
&VoteInit {
|
&VoteInit {
|
||||||
|
@ -1056,8 +1105,8 @@ pub fn create_account_with_authorized(
|
||||||
&Clock::default(),
|
&Clock::default(),
|
||||||
);
|
);
|
||||||
|
|
||||||
let versioned = VoteStateVersions::new_current(vote_state);
|
let version1_14_11 = VoteStateVersions::V1_14_11(Box::new(VoteState1_14_11::from(vote_state)));
|
||||||
VoteState::serialize(&versioned, vote_account.data_as_mut_slice()).unwrap();
|
VoteState::serialize(&version1_14_11, vote_account.data_as_mut_slice()).unwrap();
|
||||||
|
|
||||||
vote_account
|
vote_account
|
||||||
}
|
}
|
||||||
|
@ -1079,7 +1128,7 @@ mod tests {
|
||||||
crate::vote_state,
|
crate::vote_state,
|
||||||
solana_sdk::{
|
solana_sdk::{
|
||||||
account::AccountSharedData, account_utils::StateMut, clock::DEFAULT_SLOTS_PER_EPOCH,
|
account::AccountSharedData, account_utils::StateMut, clock::DEFAULT_SLOTS_PER_EPOCH,
|
||||||
hash::hash,
|
hash::hash, transaction_context::InstructionAccount,
|
||||||
},
|
},
|
||||||
std::cell::RefCell,
|
std::cell::RefCell,
|
||||||
test_case::test_case,
|
test_case::test_case,
|
||||||
|
@ -1114,6 +1163,153 @@ mod tests {
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_vote_state_upgrade_from_1_14_11() {
|
||||||
|
let mut feature_set = FeatureSet::default();
|
||||||
|
|
||||||
|
// Create an initial vote account that is sized for the 1_14_11 version of vote state, and has only the
|
||||||
|
// required lamports for rent exempt minimum at that size
|
||||||
|
let node_pubkey = solana_sdk::pubkey::new_rand();
|
||||||
|
let withdrawer_pubkey = solana_sdk::pubkey::new_rand();
|
||||||
|
let mut vote_state = VoteState::new(
|
||||||
|
&VoteInit {
|
||||||
|
node_pubkey,
|
||||||
|
authorized_voter: withdrawer_pubkey,
|
||||||
|
authorized_withdrawer: withdrawer_pubkey,
|
||||||
|
commission: 10,
|
||||||
|
},
|
||||||
|
&Clock::default(),
|
||||||
|
);
|
||||||
|
// Simulate prior epochs completed with credits and each setting a new authorized voter
|
||||||
|
vote_state.increment_credits(0, 100);
|
||||||
|
assert_eq!(
|
||||||
|
vote_state
|
||||||
|
.set_new_authorized_voter(&solana_sdk::pubkey::new_rand(), 0, 1, |_pubkey| Ok(()),),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
vote_state.increment_credits(1, 200);
|
||||||
|
assert_eq!(
|
||||||
|
vote_state
|
||||||
|
.set_new_authorized_voter(&solana_sdk::pubkey::new_rand(), 1, 2, |_pubkey| Ok(()),),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
vote_state.increment_credits(2, 300);
|
||||||
|
assert_eq!(
|
||||||
|
vote_state
|
||||||
|
.set_new_authorized_voter(&solana_sdk::pubkey::new_rand(), 2, 3, |_pubkey| Ok(()),),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
// Simulate votes having occurred
|
||||||
|
vec![
|
||||||
|
100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116,
|
||||||
|
117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133,
|
||||||
|
134, 135,
|
||||||
|
]
|
||||||
|
.into_iter()
|
||||||
|
.for_each(|v| vote_state.process_next_vote_slot(v, 4));
|
||||||
|
|
||||||
|
let version1_14_11_serialized = bincode::serialize(&VoteStateVersions::V1_14_11(Box::new(
|
||||||
|
VoteState1_14_11::from(vote_state.clone()),
|
||||||
|
)))
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
let version1_14_11_serialized_len = version1_14_11_serialized.len();
|
||||||
|
let rent = Rent::default();
|
||||||
|
let lamports = rent.minimum_balance(version1_14_11_serialized_len);
|
||||||
|
let mut vote_account =
|
||||||
|
AccountSharedData::new(lamports, version1_14_11_serialized_len, &id());
|
||||||
|
vote_account.set_data(version1_14_11_serialized);
|
||||||
|
|
||||||
|
// Create a fake TransactionContext with a fake InstructionContext with a single account which is the
|
||||||
|
// vote account that was just created
|
||||||
|
let transaction_context =
|
||||||
|
TransactionContext::new(vec![(node_pubkey, vote_account)], None, 0, 0);
|
||||||
|
let mut instruction_context = InstructionContext::default();
|
||||||
|
instruction_context.configure(
|
||||||
|
&[0],
|
||||||
|
&[InstructionAccount {
|
||||||
|
index_in_transaction: 0,
|
||||||
|
index_in_caller: 0,
|
||||||
|
index_in_callee: 0,
|
||||||
|
is_signer: false,
|
||||||
|
is_writable: true,
|
||||||
|
}],
|
||||||
|
&[],
|
||||||
|
);
|
||||||
|
|
||||||
|
// Get the BorrowedAccount from the InstructionContext which is what is used to manipulate and inspect account
|
||||||
|
// state
|
||||||
|
let mut borrowed_account = instruction_context
|
||||||
|
.try_borrow_instruction_account(&transaction_context, 0)
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
// Ensure that the vote state started out at 1_14_11
|
||||||
|
let vote_state_version = borrowed_account.get_state::<VoteStateVersions>().unwrap();
|
||||||
|
assert!(matches!(vote_state_version, VoteStateVersions::V1_14_11(_)));
|
||||||
|
|
||||||
|
// Convert the vote state to current as would occur during vote instructions
|
||||||
|
let converted_vote_state = vote_state_version.convert_to_current();
|
||||||
|
|
||||||
|
// Check to make sure that the vote_state is unchanged
|
||||||
|
assert!(vote_state == converted_vote_state);
|
||||||
|
|
||||||
|
let vote_state = converted_vote_state;
|
||||||
|
|
||||||
|
// Now re-set the vote account state; because the feature is not enabled, the old 1_14_11 format should be
|
||||||
|
// written out
|
||||||
|
assert_eq!(
|
||||||
|
set_vote_account_state(&mut borrowed_account, vote_state.clone(), &feature_set),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
let vote_state_version = borrowed_account.get_state::<VoteStateVersions>().unwrap();
|
||||||
|
assert!(matches!(vote_state_version, VoteStateVersions::V1_14_11(_)));
|
||||||
|
|
||||||
|
// Convert the vote state to current as would occur during vote instructions
|
||||||
|
let converted_vote_state = vote_state_version.convert_to_current();
|
||||||
|
|
||||||
|
// Check to make sure that the vote_state is unchanged
|
||||||
|
assert_eq!(vote_state, converted_vote_state);
|
||||||
|
|
||||||
|
let vote_state = converted_vote_state;
|
||||||
|
|
||||||
|
// Test that when the feature is enabled, if the vote account does not have sufficient lamports to realloc,
|
||||||
|
// the old vote state is written out
|
||||||
|
feature_set.activate(&feature_set::vote_state_add_vote_latency::id(), 1);
|
||||||
|
assert_eq!(
|
||||||
|
set_vote_account_state(&mut borrowed_account, vote_state.clone(), &feature_set),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
let vote_state_version = borrowed_account.get_state::<VoteStateVersions>().unwrap();
|
||||||
|
assert!(matches!(vote_state_version, VoteStateVersions::V1_14_11(_)));
|
||||||
|
|
||||||
|
// Convert the vote state to current as would occur during vote instructions
|
||||||
|
let converted_vote_state = vote_state_version.convert_to_current();
|
||||||
|
|
||||||
|
// Check to make sure that the vote_state is unchanged
|
||||||
|
assert_eq!(vote_state, converted_vote_state);
|
||||||
|
|
||||||
|
let vote_state = converted_vote_state;
|
||||||
|
|
||||||
|
// Test that when the feature is enabled, if the vote account does have sufficient lamports, the
|
||||||
|
// new vote state is written out
|
||||||
|
assert_eq!(
|
||||||
|
borrowed_account.set_lamports(rent.minimum_balance(VoteState::size_of())),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
assert_eq!(
|
||||||
|
set_vote_account_state(&mut borrowed_account, vote_state.clone(), &feature_set),
|
||||||
|
Ok(())
|
||||||
|
);
|
||||||
|
let vote_state_version = borrowed_account.get_state::<VoteStateVersions>().unwrap();
|
||||||
|
assert!(matches!(vote_state_version, VoteStateVersions::Current(_)));
|
||||||
|
|
||||||
|
// Convert the vote state to current as would occur during vote instructions
|
||||||
|
let converted_vote_state = vote_state_version.convert_to_current();
|
||||||
|
|
||||||
|
// Check to make sure that the vote_state is unchanged
|
||||||
|
assert_eq!(vote_state, converted_vote_state);
|
||||||
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_vote_lockout() {
|
fn test_vote_lockout() {
|
||||||
let (_vote_pubkey, vote_account) = create_test_account();
|
let (_vote_pubkey, vote_account) = create_test_account();
|
||||||
|
@ -1141,7 +1337,12 @@ mod tests {
|
||||||
assert_eq!(Some(top_vote), vote_state.root_slot);
|
assert_eq!(Some(top_vote), vote_state.root_slot);
|
||||||
|
|
||||||
// Expire everything except the first vote
|
// Expire everything except the first vote
|
||||||
let slot = vote_state.votes.front().unwrap().last_locked_out_slot();
|
let slot = vote_state
|
||||||
|
.votes
|
||||||
|
.front()
|
||||||
|
.unwrap()
|
||||||
|
.lockout
|
||||||
|
.last_locked_out_slot();
|
||||||
process_slot_vote_unchecked(&mut vote_state, slot);
|
process_slot_vote_unchecked(&mut vote_state, slot);
|
||||||
// First vote and new vote are both stored for a total of 2 votes
|
// First vote and new vote are both stored for a total of 2 votes
|
||||||
assert_eq!(vote_state.votes.len(), 2);
|
assert_eq!(vote_state.votes.len(), 2);
|
||||||
|
@ -1187,7 +1388,7 @@ mod tests {
|
||||||
assert_eq!(vote_state.votes[0].confirmation_count(), 3);
|
assert_eq!(vote_state.votes[0].confirmation_count(), 3);
|
||||||
|
|
||||||
// Expire the second and third votes
|
// Expire the second and third votes
|
||||||
let expire_slot = vote_state.votes[1].slot() + vote_state.votes[1].lockout() + 1;
|
let expire_slot = vote_state.votes[1].slot() + vote_state.votes[1].lockout.lockout() + 1;
|
||||||
process_slot_vote_unchecked(&mut vote_state, expire_slot);
|
process_slot_vote_unchecked(&mut vote_state, expire_slot);
|
||||||
assert_eq!(vote_state.votes.len(), 2);
|
assert_eq!(vote_state.votes.len(), 2);
|
||||||
|
|
||||||
|
@ -1232,13 +1433,13 @@ mod tests {
|
||||||
process_slot_vote_unchecked(&mut vote_state, 0);
|
process_slot_vote_unchecked(&mut vote_state, 0);
|
||||||
process_slot_vote_unchecked(&mut vote_state, 1);
|
process_slot_vote_unchecked(&mut vote_state, 1);
|
||||||
process_slot_vote_unchecked(&mut vote_state, 0);
|
process_slot_vote_unchecked(&mut vote_state, 0);
|
||||||
assert_eq!(vote_state.nth_recent_vote(0).unwrap().slot(), 1);
|
assert_eq!(vote_state.nth_recent_lockout(0).unwrap().slot(), 1);
|
||||||
assert_eq!(vote_state.nth_recent_vote(1).unwrap().slot(), 0);
|
assert_eq!(vote_state.nth_recent_lockout(1).unwrap().slot(), 0);
|
||||||
assert!(vote_state.nth_recent_vote(2).is_none());
|
assert!(vote_state.nth_recent_lockout(2).is_none());
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_nth_recent_vote() {
|
fn test_nth_recent_lockout() {
|
||||||
let voter_pubkey = solana_sdk::pubkey::new_rand();
|
let voter_pubkey = solana_sdk::pubkey::new_rand();
|
||||||
let mut vote_state = vote_state_new_for_test(&voter_pubkey);
|
let mut vote_state = vote_state_new_for_test(&voter_pubkey);
|
||||||
for i in 0..MAX_LOCKOUT_HISTORY {
|
for i in 0..MAX_LOCKOUT_HISTORY {
|
||||||
|
@ -1246,11 +1447,11 @@ mod tests {
|
||||||
}
|
}
|
||||||
for i in 0..(MAX_LOCKOUT_HISTORY - 1) {
|
for i in 0..(MAX_LOCKOUT_HISTORY - 1) {
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state.nth_recent_vote(i).unwrap().slot() as usize,
|
vote_state.nth_recent_lockout(i).unwrap().slot() as usize,
|
||||||
MAX_LOCKOUT_HISTORY - i - 1,
|
MAX_LOCKOUT_HISTORY - i - 1,
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
assert!(vote_state.nth_recent_vote(MAX_LOCKOUT_HISTORY).is_none());
|
assert!(vote_state.nth_recent_lockout(MAX_LOCKOUT_HISTORY).is_none());
|
||||||
}
|
}
|
||||||
|
|
||||||
fn check_lockouts(vote_state: &VoteState) {
|
fn check_lockouts(vote_state: &VoteState) {
|
||||||
|
@ -1260,7 +1461,10 @@ mod tests {
|
||||||
.len()
|
.len()
|
||||||
.checked_sub(i)
|
.checked_sub(i)
|
||||||
.expect("`i` is less than `vote_state.votes.len()`");
|
.expect("`i` is less than `vote_state.votes.len()`");
|
||||||
assert_eq!(vote.lockout(), INITIAL_LOCKOUT.pow(num_votes as u32) as u64);
|
assert_eq!(
|
||||||
|
vote.lockout.lockout(),
|
||||||
|
INITIAL_LOCKOUT.pow(num_votes as u32) as u64
|
||||||
|
);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1475,6 +1679,24 @@ mod tests {
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn process_new_vote_state_from_votes(
|
||||||
|
vote_state: &mut VoteState,
|
||||||
|
new_state: VecDeque<LandedVote>,
|
||||||
|
new_root: Option<Slot>,
|
||||||
|
timestamp: Option<i64>,
|
||||||
|
epoch: Epoch,
|
||||||
|
feature_set: Option<&FeatureSet>,
|
||||||
|
) -> Result<(), VoteError> {
|
||||||
|
process_new_vote_state(
|
||||||
|
vote_state,
|
||||||
|
new_state.into_iter().map(|vote| vote.lockout).collect(),
|
||||||
|
new_root,
|
||||||
|
timestamp,
|
||||||
|
epoch,
|
||||||
|
feature_set,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
// Test vote credit updates after "one credit per slot" feature is enabled
|
// Test vote credit updates after "one credit per slot" feature is enabled
|
||||||
#[test]
|
#[test]
|
||||||
fn test_vote_state_update_increment_credits() {
|
fn test_vote_state_update_increment_credits() {
|
||||||
|
@ -1537,7 +1759,7 @@ mod tests {
|
||||||
|
|
||||||
// Now use the resulting new vote state to perform a vote state update on vote_state
|
// Now use the resulting new vote state to perform a vote state update on vote_state
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state,
|
&mut vote_state,
|
||||||
vote_state_after_vote.votes,
|
vote_state_after_vote.votes,
|
||||||
vote_state_after_vote.root_slot,
|
vote_state_after_vote.root_slot,
|
||||||
|
@ -1593,7 +1815,7 @@ mod tests {
|
||||||
|
|
||||||
let current_epoch = vote_state2.current_epoch();
|
let current_epoch = vote_state2.current_epoch();
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
lesser_root,
|
lesser_root,
|
||||||
|
@ -1607,7 +1829,7 @@ mod tests {
|
||||||
// Trying to set root to None should error
|
// Trying to set root to None should error
|
||||||
let none_root = None;
|
let none_root = None;
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
none_root,
|
none_root,
|
||||||
|
@ -1848,7 +2070,7 @@ mod tests {
|
||||||
process_slot_vote_unchecked(&mut vote_state2, new_vote as Slot);
|
process_slot_vote_unchecked(&mut vote_state2, new_vote as Slot);
|
||||||
assert_ne!(vote_state1.root_slot, vote_state2.root_slot);
|
assert_ne!(vote_state1.root_slot, vote_state2.root_slot);
|
||||||
|
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
vote_state2.root_slot,
|
vote_state2.root_slot,
|
||||||
|
@ -1906,7 +2128,7 @@ mod tests {
|
||||||
);
|
);
|
||||||
|
|
||||||
// See that on-chain vote state can update properly
|
// See that on-chain vote state can update properly
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
vote_state2.root_slot,
|
vote_state2.root_slot,
|
||||||
|
@ -1948,7 +2170,7 @@ mod tests {
|
||||||
|
|
||||||
// See that on-chain vote state can update properly
|
// See that on-chain vote state can update properly
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
vote_state2.root_slot,
|
vote_state2.root_slot,
|
||||||
|
@ -1990,7 +2212,7 @@ mod tests {
|
||||||
// Both vote states contain `5`, but `5` is not part of the common prefix
|
// Both vote states contain `5`, but `5` is not part of the common prefix
|
||||||
// of both vote states. However, the violation should still be detected.
|
// of both vote states. However, the violation should still be detected.
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
vote_state2.root_slot,
|
vote_state2.root_slot,
|
||||||
|
@ -2024,7 +2246,7 @@ mod tests {
|
||||||
// Slot 1 has been expired by 10, but is kept alive by its descendant
|
// Slot 1 has been expired by 10, but is kept alive by its descendant
|
||||||
// 9 which has not been expired yet.
|
// 9 which has not been expired yet.
|
||||||
assert_eq!(vote_state2.votes[0].slot(), 1);
|
assert_eq!(vote_state2.votes[0].slot(), 1);
|
||||||
assert_eq!(vote_state2.votes[0].last_locked_out_slot(), 9);
|
assert_eq!(vote_state2.votes[0].lockout.last_locked_out_slot(), 9);
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state2
|
vote_state2
|
||||||
.votes
|
.votes
|
||||||
|
@ -2035,7 +2257,7 @@ mod tests {
|
||||||
);
|
);
|
||||||
|
|
||||||
// Should be able to update vote_state1
|
// Should be able to update vote_state1
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
vote_state2.votes.clone(),
|
vote_state2.votes.clone(),
|
||||||
vote_state2.root_slot,
|
vote_state2.root_slot,
|
||||||
|
@ -2076,15 +2298,15 @@ mod tests {
|
||||||
Err(VoteError::LockoutConflict)
|
Err(VoteError::LockoutConflict)
|
||||||
);
|
);
|
||||||
|
|
||||||
let good_votes: VecDeque<Lockout> = vec![
|
let good_votes: VecDeque<LandedVote> = vec![
|
||||||
Lockout::new_with_confirmation_count(2, 5),
|
Lockout::new_with_confirmation_count(2, 5).into(),
|
||||||
Lockout::new_with_confirmation_count(15, 1),
|
Lockout::new_with_confirmation_count(15, 1).into(),
|
||||||
]
|
]
|
||||||
.into_iter()
|
.into_iter()
|
||||||
.collect();
|
.collect();
|
||||||
|
|
||||||
let current_epoch = vote_state1.current_epoch();
|
let current_epoch = vote_state1.current_epoch();
|
||||||
process_new_vote_state(
|
process_new_vote_state_from_votes(
|
||||||
&mut vote_state1,
|
&mut vote_state1,
|
||||||
good_votes.clone(),
|
good_votes.clone(),
|
||||||
root,
|
root,
|
||||||
|
@ -2126,7 +2348,11 @@ mod tests {
|
||||||
let vote = Vote::new(vec![old_vote_slot, vote_slot], vote_slot_hash);
|
let vote = Vote::new(vec![old_vote_slot, vote_slot], vote_slot_hash);
|
||||||
process_vote(&mut vote_state, &vote, &slot_hashes, 0, Some(&feature_set)).unwrap();
|
process_vote(&mut vote_state, &vote, &slot_hashes, 0, Some(&feature_set)).unwrap();
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state.votes.into_iter().collect::<Vec<Lockout>>(),
|
vote_state
|
||||||
|
.votes
|
||||||
|
.into_iter()
|
||||||
|
.map(|vote| vote.lockout)
|
||||||
|
.collect::<Vec<Lockout>>(),
|
||||||
vec![Lockout::new_with_confirmation_count(vote_slot, 1)]
|
vec![Lockout::new_with_confirmation_count(vote_slot, 1)]
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
@ -2293,7 +2519,11 @@ mod tests {
|
||||||
.is_ok());
|
.is_ok());
|
||||||
assert_eq!(vote_state.root_slot, expected_root);
|
assert_eq!(vote_state.root_slot, expected_root);
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
vote_state.votes.into_iter().collect::<Vec<Lockout>>(),
|
vote_state
|
||||||
|
.votes
|
||||||
|
.into_iter()
|
||||||
|
.map(|vote| vote.lockout)
|
||||||
|
.collect::<Vec<Lockout>>(),
|
||||||
expected_vote_state,
|
expected_vote_state,
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
|
@ -17,8 +17,8 @@ use {
|
||||||
clock::{Epoch, Slot},
|
clock::{Epoch, Slot},
|
||||||
pubkey::Pubkey,
|
pubkey::Pubkey,
|
||||||
stake::state::{Delegation, StakeActivationStatus},
|
stake::state::{Delegation, StakeActivationStatus},
|
||||||
|
vote::state::VoteStateVersions,
|
||||||
},
|
},
|
||||||
solana_vote_program::vote_state::VoteState,
|
|
||||||
std::{
|
std::{
|
||||||
collections::{HashMap, HashSet},
|
collections::{HashMap, HashSet},
|
||||||
ops::Add,
|
ops::Add,
|
||||||
|
@ -84,7 +84,7 @@ impl StakesCache {
|
||||||
}
|
}
|
||||||
debug_assert_ne!(account.lamports(), 0u64);
|
debug_assert_ne!(account.lamports(), 0u64);
|
||||||
if solana_vote_program::check_id(owner) {
|
if solana_vote_program::check_id(owner) {
|
||||||
if VoteState::is_correct_size_and_initialized(account.data()) {
|
if VoteStateVersions::is_correct_size_and_initialized(account.data()) {
|
||||||
match VoteAccount::try_from(account.to_account_shared_data()) {
|
match VoteAccount::try_from(account.to_account_shared_data()) {
|
||||||
Ok(vote_account) => {
|
Ok(vote_account) => {
|
||||||
{
|
{
|
||||||
|
@ -254,7 +254,7 @@ impl Stakes<StakeAccount> {
|
||||||
None => continue,
|
None => continue,
|
||||||
Some(account) => account,
|
Some(account) => account,
|
||||||
};
|
};
|
||||||
if VoteState::is_correct_size_and_initialized(account.data())
|
if VoteStateVersions::is_correct_size_and_initialized(account.data())
|
||||||
&& VoteAccount::try_from(account.clone()).is_ok()
|
&& VoteAccount::try_from(account.clone()).is_ok()
|
||||||
{
|
{
|
||||||
error!("vote account not cached: {pubkey}, {account:?}");
|
error!("vote account not cached: {pubkey}, {account:?}");
|
||||||
|
|
|
@ -20,6 +20,8 @@ use {
|
||||||
};
|
};
|
||||||
|
|
||||||
mod vote_state_0_23_5;
|
mod vote_state_0_23_5;
|
||||||
|
pub mod vote_state_1_14_11;
|
||||||
|
pub use vote_state_1_14_11::*;
|
||||||
pub mod vote_state_versions;
|
pub mod vote_state_versions;
|
||||||
pub use vote_state_versions::*;
|
pub use vote_state_versions::*;
|
||||||
|
|
||||||
|
@ -31,7 +33,7 @@ pub const INITIAL_LOCKOUT: usize = 2;
|
||||||
pub const MAX_EPOCH_CREDITS_HISTORY: usize = 64;
|
pub const MAX_EPOCH_CREDITS_HISTORY: usize = 64;
|
||||||
|
|
||||||
// Offset of VoteState::prior_voters, for determining initialization status without deserialization
|
// Offset of VoteState::prior_voters, for determining initialization status without deserialization
|
||||||
const DEFAULT_PRIOR_VOTERS_OFFSET: usize = 82;
|
const DEFAULT_PRIOR_VOTERS_OFFSET: usize = 114;
|
||||||
|
|
||||||
#[frozen_abi(digest = "Ch2vVEwos2EjAVqSHCyJjnN2MNX1yrpapZTGhMSCjWUH")]
|
#[frozen_abi(digest = "Ch2vVEwos2EjAVqSHCyJjnN2MNX1yrpapZTGhMSCjWUH")]
|
||||||
#[derive(Serialize, Default, Deserialize, Debug, PartialEq, Eq, Clone, AbiExample)]
|
#[derive(Serialize, Default, Deserialize, Debug, PartialEq, Eq, Clone, AbiExample)]
|
||||||
|
@ -105,6 +107,40 @@ impl Lockout {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize, Default, Deserialize, Debug, PartialEq, Eq, Copy, Clone, AbiExample)]
|
||||||
|
pub struct LandedVote {
|
||||||
|
// Latency is the difference in slot number between the slot that was voted on (lockout.slot) and the slot in
|
||||||
|
// which the vote that added this Lockout landed. For votes which were cast before versions of the validator
|
||||||
|
// software which recorded vote latencies, latency is recorded as 0.
|
||||||
|
pub latency: u8,
|
||||||
|
pub lockout: Lockout,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl LandedVote {
|
||||||
|
pub fn slot(&self) -> Slot {
|
||||||
|
self.lockout.slot
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn confirmation_count(&self) -> u32 {
|
||||||
|
self.lockout.confirmation_count
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<LandedVote> for Lockout {
|
||||||
|
fn from(landed_vote: LandedVote) -> Self {
|
||||||
|
landed_vote.lockout
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<Lockout> for LandedVote {
|
||||||
|
fn from(lockout: Lockout) -> Self {
|
||||||
|
Self {
|
||||||
|
latency: 0,
|
||||||
|
lockout,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[frozen_abi(digest = "GwJfVFsATSj7nvKwtUkHYzqPRaPY6SLxPGXApuCya3x5")]
|
#[frozen_abi(digest = "GwJfVFsATSj7nvKwtUkHYzqPRaPY6SLxPGXApuCya3x5")]
|
||||||
#[derive(Serialize, Default, Deserialize, Debug, PartialEq, Eq, Clone, AbiExample)]
|
#[derive(Serialize, Default, Deserialize, Debug, PartialEq, Eq, Clone, AbiExample)]
|
||||||
pub struct VoteStateUpdate {
|
pub struct VoteStateUpdate {
|
||||||
|
@ -238,7 +274,7 @@ impl<I> CircBuf<I> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[frozen_abi(digest = "4oxo6mBc8zrZFA89RgKsNyMqqM52iVrCphsWfaHjaAAY")]
|
#[frozen_abi(digest = "EeenjJaSrm9hRM39gK6raRNtzG61hnk7GciUCJJRDUSQ")]
|
||||||
#[derive(Debug, Default, Serialize, Deserialize, PartialEq, Eq, Clone, AbiExample)]
|
#[derive(Debug, Default, Serialize, Deserialize, PartialEq, Eq, Clone, AbiExample)]
|
||||||
pub struct VoteState {
|
pub struct VoteState {
|
||||||
/// the node that votes in this account
|
/// the node that votes in this account
|
||||||
|
@ -250,7 +286,7 @@ pub struct VoteState {
|
||||||
/// payout should be given to this VoteAccount
|
/// payout should be given to this VoteAccount
|
||||||
pub commission: u8,
|
pub commission: u8,
|
||||||
|
|
||||||
pub votes: VecDeque<Lockout>,
|
pub votes: VecDeque<LandedVote>,
|
||||||
|
|
||||||
// This usually the last Lockout which was popped from self.votes.
|
// This usually the last Lockout which was popped from self.votes.
|
||||||
// However, it can be arbitrary slot, when being used inside Tower
|
// However, it can be arbitrary slot, when being used inside Tower
|
||||||
|
@ -302,7 +338,7 @@ impl VoteState {
|
||||||
/// Upper limit on the size of the Vote State
|
/// Upper limit on the size of the Vote State
|
||||||
/// when votes.len() is MAX_LOCKOUT_HISTORY.
|
/// when votes.len() is MAX_LOCKOUT_HISTORY.
|
||||||
pub const fn size_of() -> usize {
|
pub const fn size_of() -> usize {
|
||||||
3731 // see test_vote_state_size_of.
|
3762 // see test_vote_state_size_of.
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn deserialize(_input: &[u8]) -> Result<Self, InstructionError> {
|
pub fn deserialize(_input: &[u8]) -> Result<Self, InstructionError> {
|
||||||
|
@ -362,7 +398,7 @@ impl VoteState {
|
||||||
/// Returns if the vote state contains a slot `candidate_slot`
|
/// Returns if the vote state contains a slot `candidate_slot`
|
||||||
pub fn contains_slot(&self, candidate_slot: Slot) -> bool {
|
pub fn contains_slot(&self, candidate_slot: Slot) -> bool {
|
||||||
self.votes
|
self.votes
|
||||||
.binary_search_by(|lockout| lockout.slot().cmp(&candidate_slot))
|
.binary_search_by(|vote| vote.slot().cmp(&candidate_slot))
|
||||||
.is_ok()
|
.is_ok()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -374,7 +410,7 @@ impl VoteState {
|
||||||
}
|
}
|
||||||
|
|
||||||
VoteState {
|
VoteState {
|
||||||
votes: VecDeque::from(vec![Lockout::default(); MAX_LOCKOUT_HISTORY]),
|
votes: VecDeque::from(vec![LandedVote::default(); MAX_LOCKOUT_HISTORY]),
|
||||||
root_slot: Some(std::u64::MAX),
|
root_slot: Some(std::u64::MAX),
|
||||||
epoch_credits: vec![(0, 0, 0); MAX_EPOCH_CREDITS_HISTORY],
|
epoch_credits: vec![(0, 0, 0); MAX_EPOCH_CREDITS_HISTORY],
|
||||||
authorized_voters,
|
authorized_voters,
|
||||||
|
@ -391,7 +427,7 @@ impl VoteState {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
let vote = Lockout::new(next_vote_slot);
|
let lockout = Lockout::new(next_vote_slot);
|
||||||
|
|
||||||
self.pop_expired_votes(next_vote_slot);
|
self.pop_expired_votes(next_vote_slot);
|
||||||
|
|
||||||
|
@ -402,7 +438,7 @@ impl VoteState {
|
||||||
|
|
||||||
self.increment_credits(epoch, 1);
|
self.increment_credits(epoch, 1);
|
||||||
}
|
}
|
||||||
self.votes.push_back(vote);
|
self.votes.push_back(lockout.into());
|
||||||
self.double_lockouts();
|
self.double_lockouts();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -435,21 +471,21 @@ impl VoteState {
|
||||||
self.epoch_credits.last().unwrap().1.saturating_add(credits);
|
self.epoch_credits.last().unwrap().1.saturating_add(credits);
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn nth_recent_vote(&self, position: usize) -> Option<&Lockout> {
|
pub fn nth_recent_lockout(&self, position: usize) -> Option<&Lockout> {
|
||||||
if position < self.votes.len() {
|
if position < self.votes.len() {
|
||||||
let pos = self
|
let pos = self
|
||||||
.votes
|
.votes
|
||||||
.len()
|
.len()
|
||||||
.checked_sub(position)
|
.checked_sub(position)
|
||||||
.and_then(|pos| pos.checked_sub(1))?;
|
.and_then(|pos| pos.checked_sub(1))?;
|
||||||
self.votes.get(pos)
|
self.votes.get(pos).map(|vote| &vote.lockout)
|
||||||
} else {
|
} else {
|
||||||
None
|
None
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn last_lockout(&self) -> Option<&Lockout> {
|
pub fn last_lockout(&self) -> Option<&Lockout> {
|
||||||
self.votes.back()
|
self.votes.back().map(|vote| &vote.lockout)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn last_voted_slot(&self) -> Option<Slot> {
|
pub fn last_voted_slot(&self) -> Option<Slot> {
|
||||||
|
@ -579,8 +615,11 @@ impl VoteState {
|
||||||
for (i, v) in self.votes.iter_mut().enumerate() {
|
for (i, v) in self.votes.iter_mut().enumerate() {
|
||||||
// Don't increase the lockout for this vote until we get more confirmations
|
// Don't increase the lockout for this vote until we get more confirmations
|
||||||
// than the max number of confirmations this vote has seen
|
// than the max number of confirmations this vote has seen
|
||||||
if stack_depth > i.checked_add(v.confirmation_count() as usize).expect("`confirmation_count` and tower_size should be bounded by `MAX_LOCKOUT_HISTORY`") {
|
if stack_depth >
|
||||||
v.increase_confirmation_count(1);
|
i.checked_add(v.confirmation_count() as usize)
|
||||||
|
.expect("`confirmation_count` and tower_size should be bounded by `MAX_LOCKOUT_HISTORY`")
|
||||||
|
{
|
||||||
|
v.lockout.increase_confirmation_count(1);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -719,7 +758,7 @@ mod tests {
|
||||||
let mut vote_state = VoteState::default();
|
let mut vote_state = VoteState::default();
|
||||||
vote_state
|
vote_state
|
||||||
.votes
|
.votes
|
||||||
.resize(MAX_LOCKOUT_HISTORY, Lockout::default());
|
.resize(MAX_LOCKOUT_HISTORY, LandedVote::default());
|
||||||
vote_state.root_slot = Some(1);
|
vote_state.root_slot = Some(1);
|
||||||
let versioned = VoteStateVersions::new_current(vote_state);
|
let versioned = VoteStateVersions::new_current(vote_state);
|
||||||
assert!(VoteState::serialize(&versioned, &mut buffer[0..4]).is_err());
|
assert!(VoteState::serialize(&versioned, &mut buffer[0..4]).is_err());
|
||||||
|
@ -1108,32 +1147,34 @@ mod tests {
|
||||||
#[test]
|
#[test]
|
||||||
fn test_is_correct_size_and_initialized() {
|
fn test_is_correct_size_and_initialized() {
|
||||||
// Check all zeroes
|
// Check all zeroes
|
||||||
let mut vote_account_data = vec![0; VoteState::size_of()];
|
let mut vote_account_data = vec![0; VoteStateVersions::vote_state_size_of(true)];
|
||||||
assert!(!VoteState::is_correct_size_and_initialized(
|
assert!(!VoteStateVersions::is_correct_size_and_initialized(
|
||||||
&vote_account_data
|
&vote_account_data
|
||||||
));
|
));
|
||||||
|
|
||||||
// Check default VoteState
|
// Check default VoteState
|
||||||
let default_account_state = VoteStateVersions::new_current(VoteState::default());
|
let default_account_state = VoteStateVersions::new_current(VoteState::default());
|
||||||
VoteState::serialize(&default_account_state, &mut vote_account_data).unwrap();
|
VoteState::serialize(&default_account_state, &mut vote_account_data).unwrap();
|
||||||
assert!(!VoteState::is_correct_size_and_initialized(
|
assert!(!VoteStateVersions::is_correct_size_and_initialized(
|
||||||
&vote_account_data
|
&vote_account_data
|
||||||
));
|
));
|
||||||
|
|
||||||
// Check non-zero data shorter than offset index used
|
// Check non-zero data shorter than offset index used
|
||||||
let short_data = vec![1; DEFAULT_PRIOR_VOTERS_OFFSET];
|
let short_data = vec![1; DEFAULT_PRIOR_VOTERS_OFFSET];
|
||||||
assert!(!VoteState::is_correct_size_and_initialized(&short_data));
|
assert!(!VoteStateVersions::is_correct_size_and_initialized(
|
||||||
|
&short_data
|
||||||
|
));
|
||||||
|
|
||||||
// Check non-zero large account
|
// Check non-zero large account
|
||||||
let mut large_vote_data = vec![1; 2 * VoteState::size_of()];
|
let mut large_vote_data = vec![1; 2 * VoteStateVersions::vote_state_size_of(true)];
|
||||||
let default_account_state = VoteStateVersions::new_current(VoteState::default());
|
let default_account_state = VoteStateVersions::new_current(VoteState::default());
|
||||||
VoteState::serialize(&default_account_state, &mut large_vote_data).unwrap();
|
VoteState::serialize(&default_account_state, &mut large_vote_data).unwrap();
|
||||||
assert!(!VoteState::is_correct_size_and_initialized(
|
assert!(!VoteStateVersions::is_correct_size_and_initialized(
|
||||||
&vote_account_data
|
&vote_account_data
|
||||||
));
|
));
|
||||||
|
|
||||||
// Check populated VoteState
|
// Check populated VoteState
|
||||||
let account_state = VoteStateVersions::new_current(VoteState::new(
|
let vote_state = VoteState::new(
|
||||||
&VoteInit {
|
&VoteInit {
|
||||||
node_pubkey: Pubkey::new_unique(),
|
node_pubkey: Pubkey::new_unique(),
|
||||||
authorized_voter: Pubkey::new_unique(),
|
authorized_voter: Pubkey::new_unique(),
|
||||||
|
@ -1141,9 +1182,19 @@ mod tests {
|
||||||
commission: 0,
|
commission: 0,
|
||||||
},
|
},
|
||||||
&Clock::default(),
|
&Clock::default(),
|
||||||
));
|
);
|
||||||
|
let account_state = VoteStateVersions::new_current(vote_state.clone());
|
||||||
VoteState::serialize(&account_state, &mut vote_account_data).unwrap();
|
VoteState::serialize(&account_state, &mut vote_account_data).unwrap();
|
||||||
assert!(VoteState::is_correct_size_and_initialized(
|
assert!(VoteStateVersions::is_correct_size_and_initialized(
|
||||||
|
&vote_account_data
|
||||||
|
));
|
||||||
|
|
||||||
|
// Check old VoteState that hasn't been upgraded to newest version yet
|
||||||
|
let old_vote_state = VoteState1_14_11::from(vote_state);
|
||||||
|
let account_state = VoteStateVersions::V1_14_11(Box::new(old_vote_state));
|
||||||
|
let mut vote_account_data = vec![0; VoteStateVersions::vote_state_size_of(false)];
|
||||||
|
VoteState::serialize(&account_state, &mut vote_account_data).unwrap();
|
||||||
|
assert!(VoteStateVersions::is_correct_size_and_initialized(
|
||||||
&vote_account_data
|
&vote_account_data
|
||||||
));
|
));
|
||||||
}
|
}
|
||||||
|
|
|
@ -0,0 +1,77 @@
|
||||||
|
use super::*;
|
||||||
|
|
||||||
|
// Offset used for VoteState version 1_14_11
|
||||||
|
const DEFAULT_PRIOR_VOTERS_OFFSET: usize = 82;
|
||||||
|
|
||||||
|
#[frozen_abi(digest = "CZTgLymuevXjAx6tM8X8T5J3MCx9AkEsFSmu4FJrEpkG")]
|
||||||
|
#[derive(Debug, Default, Serialize, Deserialize, PartialEq, Eq, Clone, AbiExample)]
|
||||||
|
pub struct VoteState1_14_11 {
|
||||||
|
/// the node that votes in this account
|
||||||
|
pub node_pubkey: Pubkey,
|
||||||
|
|
||||||
|
/// the signer for withdrawals
|
||||||
|
pub authorized_withdrawer: Pubkey,
|
||||||
|
/// percentage (0-100) that represents what part of a rewards
|
||||||
|
/// payout should be given to this VoteAccount
|
||||||
|
pub commission: u8,
|
||||||
|
|
||||||
|
pub votes: VecDeque<Lockout>,
|
||||||
|
|
||||||
|
// This usually the last Lockout which was popped from self.votes.
|
||||||
|
// However, it can be arbitrary slot, when being used inside Tower
|
||||||
|
pub root_slot: Option<Slot>,
|
||||||
|
|
||||||
|
/// the signer for vote transactions
|
||||||
|
pub authorized_voters: AuthorizedVoters,
|
||||||
|
|
||||||
|
/// history of prior authorized voters and the epochs for which
|
||||||
|
/// they were set, the bottom end of the range is inclusive,
|
||||||
|
/// the top of the range is exclusive
|
||||||
|
pub prior_voters: CircBuf<(Pubkey, Epoch, Epoch)>,
|
||||||
|
|
||||||
|
/// history of how many credits earned by the end of each epoch
|
||||||
|
/// each tuple is (Epoch, credits, prev_credits)
|
||||||
|
pub epoch_credits: Vec<(Epoch, u64, u64)>,
|
||||||
|
|
||||||
|
/// most recent timestamp submitted with a vote
|
||||||
|
pub last_timestamp: BlockTimestamp,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl VoteState1_14_11 {
|
||||||
|
pub fn get_rent_exempt_reserve(rent: &Rent) -> u64 {
|
||||||
|
rent.minimum_balance(Self::size_of())
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Upper limit on the size of the Vote State
|
||||||
|
/// when votes.len() is MAX_LOCKOUT_HISTORY.
|
||||||
|
pub fn size_of() -> usize {
|
||||||
|
3731 // see test_vote_state_size_of
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn is_correct_size_and_initialized(data: &[u8]) -> bool {
|
||||||
|
const VERSION_OFFSET: usize = 4;
|
||||||
|
const DEFAULT_PRIOR_VOTERS_END: usize = VERSION_OFFSET + DEFAULT_PRIOR_VOTERS_OFFSET;
|
||||||
|
data.len() == VoteState1_14_11::size_of()
|
||||||
|
&& data[VERSION_OFFSET..DEFAULT_PRIOR_VOTERS_END] != [0; DEFAULT_PRIOR_VOTERS_OFFSET]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<VoteState> for VoteState1_14_11 {
|
||||||
|
fn from(vote_state: VoteState) -> Self {
|
||||||
|
Self {
|
||||||
|
node_pubkey: vote_state.node_pubkey,
|
||||||
|
authorized_withdrawer: vote_state.authorized_withdrawer,
|
||||||
|
commission: vote_state.commission,
|
||||||
|
votes: vote_state
|
||||||
|
.votes
|
||||||
|
.into_iter()
|
||||||
|
.map(|landed_vote| landed_vote.into())
|
||||||
|
.collect(),
|
||||||
|
root_slot: vote_state.root_slot,
|
||||||
|
authorized_voters: vote_state.authorized_voters,
|
||||||
|
prior_voters: vote_state.prior_voters,
|
||||||
|
epoch_credits: vote_state.epoch_credits,
|
||||||
|
last_timestamp: vote_state.last_timestamp,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,8 +1,9 @@
|
||||||
use super::{vote_state_0_23_5::VoteState0_23_5, *};
|
use super::{vote_state_0_23_5::VoteState0_23_5, vote_state_1_14_11::VoteState1_14_11, *};
|
||||||
|
|
||||||
#[derive(Debug, Serialize, Deserialize, PartialEq, Eq, Clone)]
|
#[derive(Debug, Serialize, Deserialize, PartialEq, Eq, Clone)]
|
||||||
pub enum VoteStateVersions {
|
pub enum VoteStateVersions {
|
||||||
V0_23_5(Box<VoteState0_23_5>),
|
V0_23_5(Box<VoteState0_23_5>),
|
||||||
|
V1_14_11(Box<VoteState1_14_11>),
|
||||||
Current(Box<VoteState>),
|
Current(Box<VoteState>),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -27,7 +28,7 @@ impl VoteStateVersions {
|
||||||
/// payout should be given to this VoteAccount
|
/// payout should be given to this VoteAccount
|
||||||
commission: state.commission,
|
commission: state.commission,
|
||||||
|
|
||||||
votes: state.votes.clone(),
|
votes: Self::landed_votes_from_lockouts(state.votes),
|
||||||
|
|
||||||
root_slot: state.root_slot,
|
root_slot: state.root_slot,
|
||||||
|
|
||||||
|
@ -47,17 +48,55 @@ impl VoteStateVersions {
|
||||||
last_timestamp: state.last_timestamp.clone(),
|
last_timestamp: state.last_timestamp.clone(),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
VoteStateVersions::V1_14_11(state) => VoteState {
|
||||||
|
node_pubkey: state.node_pubkey,
|
||||||
|
authorized_withdrawer: state.authorized_withdrawer,
|
||||||
|
commission: state.commission,
|
||||||
|
|
||||||
|
votes: Self::landed_votes_from_lockouts(state.votes),
|
||||||
|
|
||||||
|
root_slot: state.root_slot,
|
||||||
|
|
||||||
|
authorized_voters: state.authorized_voters.clone(),
|
||||||
|
|
||||||
|
prior_voters: state.prior_voters,
|
||||||
|
|
||||||
|
epoch_credits: state.epoch_credits,
|
||||||
|
|
||||||
|
last_timestamp: state.last_timestamp,
|
||||||
|
},
|
||||||
|
|
||||||
VoteStateVersions::Current(state) => *state,
|
VoteStateVersions::Current(state) => *state,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fn landed_votes_from_lockouts(lockouts: VecDeque<Lockout>) -> VecDeque<LandedVote> {
|
||||||
|
lockouts.into_iter().map(|lockout| lockout.into()).collect()
|
||||||
|
}
|
||||||
|
|
||||||
pub fn is_uninitialized(&self) -> bool {
|
pub fn is_uninitialized(&self) -> bool {
|
||||||
match self {
|
match self {
|
||||||
VoteStateVersions::V0_23_5(vote_state) => {
|
VoteStateVersions::V0_23_5(vote_state) => {
|
||||||
vote_state.authorized_voter == Pubkey::default()
|
vote_state.authorized_voter == Pubkey::default()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
VoteStateVersions::V1_14_11(vote_state) => vote_state.authorized_voters.is_empty(),
|
||||||
|
|
||||||
VoteStateVersions::Current(vote_state) => vote_state.authorized_voters.is_empty(),
|
VoteStateVersions::Current(vote_state) => vote_state.authorized_voters.is_empty(),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn vote_state_size_of(is_current: bool) -> usize {
|
||||||
|
if is_current {
|
||||||
|
VoteState::size_of()
|
||||||
|
} else {
|
||||||
|
VoteState1_14_11::size_of()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn is_correct_size_and_initialized(data: &[u8]) -> bool {
|
||||||
|
VoteState::is_correct_size_and_initialized(data)
|
||||||
|
|| VoteState1_14_11::is_correct_size_and_initialized(data)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -654,6 +654,10 @@ pub mod clean_up_delegation_errors {
|
||||||
solana_sdk::declare_id!("Bj2jmUsM2iRhfdLLDSTkhM5UQRQvQHm57HSmPibPtEyu");
|
solana_sdk::declare_id!("Bj2jmUsM2iRhfdLLDSTkhM5UQRQvQHm57HSmPibPtEyu");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub mod vote_state_add_vote_latency {
|
||||||
|
solana_sdk::declare_id!("7axKe5BTYBDD87ftzWbk5DfzWMGyRvqmWTduuo22Yaqy");
|
||||||
|
}
|
||||||
|
|
||||||
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> = [
|
||||||
|
@ -812,6 +816,7 @@ lazy_static! {
|
||||||
(simplify_writable_program_account_check::id(), "Simplify checks performed for writable upgradeable program accounts #30559"),
|
(simplify_writable_program_account_check::id(), "Simplify checks performed for writable upgradeable program accounts #30559"),
|
||||||
(stop_truncating_strings_in_syscalls::id(), "Stop truncating strings in syscalls #31029"),
|
(stop_truncating_strings_in_syscalls::id(), "Stop truncating strings in syscalls #31029"),
|
||||||
(clean_up_delegation_errors::id(), "Return InsufficientDelegation instead of InsufficientFunds or InsufficientStake where applicable #31206"),
|
(clean_up_delegation_errors::id(), "Return InsufficientDelegation instead of InsufficientFunds or InsufficientStake where applicable #31206"),
|
||||||
|
(vote_state_add_vote_latency::id(), "replace Lockout with LandedVote (including vote latency) in vote state"),
|
||||||
/*************** ADD NEW FEATURES HERE ***************/
|
/*************** ADD NEW FEATURES HERE ***************/
|
||||||
]
|
]
|
||||||
.iter()
|
.iter()
|
||||||
|
|
|
@ -874,6 +874,16 @@ impl<'a> BorrowedAccount<'a> {
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Returns whether or the lamports currently in the account is sufficient for rent exemption should the
|
||||||
|
// data be resized to the given size
|
||||||
|
#[cfg(not(target_os = "solana"))]
|
||||||
|
pub fn is_rent_exempt_at_data_length(&self, data_length: usize) -> bool {
|
||||||
|
self.transaction_context
|
||||||
|
.rent
|
||||||
|
.unwrap_or_default()
|
||||||
|
.is_exempt(self.get_lamports(), data_length)
|
||||||
|
}
|
||||||
|
|
||||||
/// Returns whether this account is executable (transaction wide)
|
/// Returns whether this account is executable (transaction wide)
|
||||||
#[inline]
|
#[inline]
|
||||||
pub fn is_executable(&self) -> bool {
|
pub fn is_executable(&self) -> bool {
|
||||||
|
|
Loading…
Reference in New Issue