1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 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 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233
// Copyright (c) 2022 MASSA LABS <info@massa.net>
use massa_channel::receiver::MassaReceiver;
use massa_factory_exports::{FactoryChannels, FactoryConfig};
use massa_models::{
block_id::BlockId,
endorsement::{Endorsement, EndorsementSerializer, SecureShareEndorsement},
secure_share::SecureShareContent,
slot::Slot,
timeslots::{get_block_slot_timestamp, get_closest_slot_to_timestamp},
};
use massa_signature::KeyPair;
use massa_time::MassaTime;
use massa_wallet::Wallet;
use parking_lot::RwLock;
use std::{sync::Arc, thread, time::Instant};
use tracing::{debug, warn};
/// Structure gathering all elements needed by the factory thread
pub(crate) struct EndorsementFactoryWorker {
cfg: FactoryConfig,
wallet: Arc<RwLock<Wallet>>,
channels: FactoryChannels,
factory_receiver: MassaReceiver<()>,
half_t0: MassaTime,
endorsement_serializer: EndorsementSerializer,
}
impl EndorsementFactoryWorker {
/// Creates the `FactoryThread` structure to gather all data and references
/// needed by the factory worker thread.
pub(crate) fn spawn(
cfg: FactoryConfig,
wallet: Arc<RwLock<Wallet>>,
channels: FactoryChannels,
factory_receiver: MassaReceiver<()>,
) -> thread::JoinHandle<()> {
thread::Builder::new()
.name("endorsement-factory".into())
.spawn(|| {
let mut this = Self {
half_t0: cfg
.t0
.checked_div_u64(2)
.expect("could not compute half_t0"),
cfg,
wallet,
channels,
factory_receiver,
endorsement_serializer: EndorsementSerializer::new(),
};
this.run();
})
.expect("failed to spawn thread : endorsement-factory")
}
/// Gets the next slot and the instant when the corresponding endorsements should be made.
/// Slots can be skipped if we waited too much in-between.
/// Extra safety against double-production caused by clock adjustments (this is the role of the `previous_slot` parameter).
fn get_next_slot(&self, previous_slot: Option<Slot>) -> (Slot, Instant) {
// get delayed time
let now = MassaTime::now();
// if it's the first computed slot, add a time shift to prevent double-production on node restart with clock skew
let base_time = if previous_slot.is_none() {
now.saturating_add(self.cfg.initial_delay)
} else {
now
};
// get closest slot according to the current absolute time
let mut next_slot = get_closest_slot_to_timestamp(
self.cfg.thread_count,
self.cfg.t0,
self.cfg.genesis_timestamp,
base_time,
);
// protection against double-production on unexpected system clock adjustment
if let Some(prev_slot) = previous_slot {
if next_slot <= prev_slot {
next_slot = prev_slot
.get_next_slot(self.cfg.thread_count)
.expect("could not compute next slot");
}
}
// ignore genesis
if next_slot.period <= self.cfg.last_start_period {
next_slot = Slot::new(self.cfg.last_start_period + 1, 0);
}
// get the timestamp of the target slot
let next_instant = get_block_slot_timestamp(
self.cfg.thread_count,
self.cfg.t0,
self.cfg.genesis_timestamp,
next_slot,
)
.expect("could not get block slot timestamp")
.saturating_sub(self.half_t0)
.estimate_instant()
.expect("could not estimate block slot instant");
(next_slot, next_instant)
}
/// Wait and interrupt or wait until an instant or a stop signal
///
/// # Return value
/// Returns `true` if the instant was reached, otherwise `false` if there was an interruption.
fn interruptible_wait_until(&self, deadline: Instant) -> bool {
match self.factory_receiver.recv_deadline(deadline) {
// message received => quit main loop
Ok(()) => false,
// timeout => continue main loop
Err(crossbeam_channel::RecvTimeoutError::Timeout) => true,
// channel disconnected (sender dropped) => quit main loop
Err(crossbeam_channel::RecvTimeoutError::Disconnected) => false,
}
}
/// Process a slot: produce an endorsement at that slot if one of the managed keys is drawn.
fn process_slot(&mut self, slot: Slot) {
// get endorsement producer addresses for that slot
let producer_addrs = match self.channels.selector.get_selection(slot) {
Ok(sel) => sel.endorsements,
Err(err) => {
warn!(
"endorsement factory could not get selector draws for slot {}: {}",
slot, err
);
return;
}
};
// get creators if they are managed by our wallet
let mut producers_indices: Vec<(KeyPair, usize)> = Vec::new();
{
let wallet = self.wallet.read();
for (index, producer_addr) in producer_addrs.into_iter().enumerate() {
// check if the block producer address is handled by the wallet
let producer_keypair =
if let Some(kp) = wallet.find_associated_keypair(&producer_addr) {
// the selected block producer is managed locally => continue to attempt endorsement production
kp.clone()
} else {
// the selected block producer is not managed locally => continue
continue;
};
producers_indices.push((producer_keypair, index));
}
}
// quit if there is nothing to produce
if producers_indices.is_empty() {
return;
}
// check if we need to have connections to produce a block and in this case, check if we have enough.
#[cfg(not(feature = "sandbox"))]
if self.cfg.stop_production_when_zero_connections {
if let Ok(stats) = self.channels.protocol.get_stats() {
if stats.1.is_empty() {
warn!("endorsement factory could not produce endorsement for slot {} because there are no connections", slot);
return;
}
}
}
// get consensus block ID for that slot
let endorsed_block: BlockId = self
.channels
.consensus
.get_latest_blockclique_block_at_slot(slot);
// produce endorsements
let mut endorsements: Vec<SecureShareEndorsement> =
Vec::with_capacity(producers_indices.len());
for (keypair, index) in producers_indices {
let endorsement = Endorsement::new_verifiable(
Endorsement {
slot,
index: index as u32,
endorsed_block,
},
self.endorsement_serializer.clone(),
&keypair,
self.cfg.chain_id,
)
.expect("could not create endorsement");
// log endorsement creation
debug!(
"endorsement {} created at slot {} by address {}",
endorsement.id, endorsement.content.slot, endorsement.content_creator_address
);
endorsements.push(endorsement);
}
// store endorsements
let mut endo_storage = self.channels.storage.clone_without_refs();
endo_storage.store_endorsements(endorsements);
// send endorsement to pool for listing and propagation
self.channels.pool.add_endorsements(endo_storage.clone());
if let Err(err) = self.channels.protocol.propagate_endorsements(endo_storage) {
warn!("could not propagate endorsements to protocol: {}", err);
}
}
/// main run loop of the endorsement creator thread
fn run(&mut self) {
let mut prev_slot = None;
loop {
// get next slot
let (slot, endorsement_instant) = self.get_next_slot(prev_slot);
// wait until slot
if !self.interruptible_wait_until(endorsement_instant) {
break;
}
// process slot
self.process_slot(slot);
// update previous slot
prev_slot = Some(slot);
}
}
}