Line data Source code
1 : //! This module implements Timeline lifecycle management and has all necessary code
2 : //! to glue together SafeKeeper and all other background services.
3 :
4 : use anyhow::{anyhow, bail, Result};
5 : use camino::Utf8PathBuf;
6 : use postgres_ffi::XLogSegNo;
7 : use serde::{Deserialize, Serialize};
8 : use tokio::fs;
9 :
10 : use std::cmp::max;
11 : use std::sync::Arc;
12 : use std::time::Duration;
13 : use tokio::sync::{Mutex, MutexGuard};
14 : use tokio::{
15 : sync::{mpsc::Sender, watch},
16 : time::Instant,
17 : };
18 : use tracing::*;
19 : use utils::http::error::ApiError;
20 : use utils::{
21 : id::{NodeId, TenantTimelineId},
22 : lsn::Lsn,
23 : };
24 :
25 : use storage_broker::proto::SafekeeperTimelineInfo;
26 : use storage_broker::proto::TenantTimelineId as ProtoTenantTimelineId;
27 :
28 : use crate::receive_wal::WalReceivers;
29 : use crate::recovery::{recovery_main, Donor, RecoveryNeededInfo};
30 : use crate::safekeeper::{
31 : AcceptorProposerMessage, ProposerAcceptorMessage, SafeKeeper, ServerInfo, Term, TermLsn,
32 : INVALID_TERM,
33 : };
34 : use crate::send_wal::WalSenders;
35 : use crate::state::{TimelineMemState, TimelinePersistentState};
36 : use crate::wal_backup::{self};
37 : use crate::{control_file, safekeeper::UNKNOWN_SERVER_VERSION};
38 :
39 : use crate::metrics::FullTimelineInfo;
40 : use crate::wal_storage::Storage as wal_storage_iface;
41 : use crate::{debug_dump, wal_storage};
42 : use crate::{GlobalTimelines, SafeKeeperConf};
43 :
44 : /// Things safekeeper should know about timeline state on peers.
45 0 : #[derive(Debug, Clone, Serialize, Deserialize)]
46 : pub struct PeerInfo {
47 : pub sk_id: NodeId,
48 : pub term: Term,
49 : /// Term of the last entry.
50 : pub last_log_term: Term,
51 : /// LSN of the last record.
52 : pub flush_lsn: Lsn,
53 : pub commit_lsn: Lsn,
54 : /// Since which LSN safekeeper has WAL. TODO: remove this once we fill new
55 : /// sk since backup_lsn.
56 : pub local_start_lsn: Lsn,
57 : /// When info was received. Serde annotations are not very useful but make
58 : /// the code compile -- we don't rely on this field externally.
59 : #[serde(skip)]
60 : #[serde(default = "Instant::now")]
61 : ts: Instant,
62 : pub pg_connstr: String,
63 : pub http_connstr: String,
64 : }
65 :
66 : impl PeerInfo {
67 0 : fn from_sk_info(sk_info: &SafekeeperTimelineInfo, ts: Instant) -> PeerInfo {
68 0 : PeerInfo {
69 0 : sk_id: NodeId(sk_info.safekeeper_id),
70 0 : term: sk_info.term,
71 0 : last_log_term: sk_info.last_log_term,
72 0 : flush_lsn: Lsn(sk_info.flush_lsn),
73 0 : commit_lsn: Lsn(sk_info.commit_lsn),
74 0 : local_start_lsn: Lsn(sk_info.local_start_lsn),
75 0 : pg_connstr: sk_info.safekeeper_connstr.clone(),
76 0 : http_connstr: sk_info.http_connstr.clone(),
77 0 : ts,
78 0 : }
79 0 : }
80 : }
81 :
82 : // vector-based node id -> peer state map with very limited functionality we
83 : // need.
84 0 : #[derive(Debug, Clone, Default)]
85 : pub struct PeersInfo(pub Vec<PeerInfo>);
86 :
87 : impl PeersInfo {
88 0 : fn get(&mut self, id: NodeId) -> Option<&mut PeerInfo> {
89 0 : self.0.iter_mut().find(|p| p.sk_id == id)
90 0 : }
91 :
92 0 : fn upsert(&mut self, p: &PeerInfo) {
93 0 : match self.get(p.sk_id) {
94 0 : Some(rp) => *rp = p.clone(),
95 0 : None => self.0.push(p.clone()),
96 : }
97 0 : }
98 : }
99 :
100 : /// Shared state associated with database instance
101 : pub struct SharedState {
102 : /// Safekeeper object
103 : sk: SafeKeeper<control_file::FileStorage, wal_storage::PhysicalStorage>,
104 : /// In memory list containing state of peers sent in latest messages from them.
105 : peers_info: PeersInfo,
106 : /// True when WAL backup launcher oversees the timeline, making sure WAL is
107 : /// offloaded, allows to bother launcher less.
108 : wal_backup_active: bool,
109 : /// True whenever there is at least some pending activity on timeline: live
110 : /// compute connection, pageserver is not caughtup (it must have latest WAL
111 : /// for new compute start) or WAL backuping is not finished. Practically it
112 : /// means safekeepers broadcast info to peers about the timeline, old WAL is
113 : /// trimmed.
114 : ///
115 : /// TODO: it might be better to remove tli completely from GlobalTimelines
116 : /// when tli is inactive instead of having this flag.
117 : active: bool,
118 : last_removed_segno: XLogSegNo,
119 : }
120 :
121 : impl SharedState {
122 : /// Initialize fresh timeline state without persisting anything to disk.
123 0 : fn create_new(
124 0 : conf: &SafeKeeperConf,
125 0 : ttid: &TenantTimelineId,
126 0 : state: TimelinePersistentState,
127 0 : ) -> Result<Self> {
128 0 : if state.server.wal_seg_size == 0 {
129 0 : bail!(TimelineError::UninitializedWalSegSize(*ttid));
130 0 : }
131 0 :
132 0 : if state.server.pg_version == UNKNOWN_SERVER_VERSION {
133 0 : bail!(TimelineError::UninitialinzedPgVersion(*ttid));
134 0 : }
135 0 :
136 0 : if state.commit_lsn < state.local_start_lsn {
137 0 : bail!(
138 0 : "commit_lsn {} is higher than local_start_lsn {}",
139 0 : state.commit_lsn,
140 0 : state.local_start_lsn
141 0 : );
142 0 : }
143 0 :
144 0 : // We don't want to write anything to disk, because we may have existing timeline there.
145 0 : // These functions should not change anything on disk.
146 0 : let timeline_dir = conf.timeline_dir(ttid);
147 0 : let control_store = control_file::FileStorage::create_new(timeline_dir, conf, state)?;
148 0 : let wal_store =
149 0 : wal_storage::PhysicalStorage::new(ttid, conf.timeline_dir(ttid), conf, &control_store)?;
150 0 : let sk = SafeKeeper::new(control_store, wal_store, conf.my_id)?;
151 :
152 0 : Ok(Self {
153 0 : sk,
154 0 : peers_info: PeersInfo(vec![]),
155 0 : wal_backup_active: false,
156 0 : active: false,
157 0 : last_removed_segno: 0,
158 0 : })
159 0 : }
160 :
161 : /// Restore SharedState from control file. If file doesn't exist, bails out.
162 0 : fn restore(conf: &SafeKeeperConf, ttid: &TenantTimelineId) -> Result<Self> {
163 0 : let control_store = control_file::FileStorage::restore_new(ttid, conf)?;
164 0 : if control_store.server.wal_seg_size == 0 {
165 0 : bail!(TimelineError::UninitializedWalSegSize(*ttid));
166 0 : }
167 :
168 0 : let wal_store =
169 0 : wal_storage::PhysicalStorage::new(ttid, conf.timeline_dir(ttid), conf, &control_store)?;
170 :
171 : Ok(Self {
172 0 : sk: SafeKeeper::new(control_store, wal_store, conf.my_id)?,
173 0 : peers_info: PeersInfo(vec![]),
174 : wal_backup_active: false,
175 : active: false,
176 : last_removed_segno: 0,
177 : })
178 0 : }
179 :
180 0 : fn is_active(&self, num_computes: usize) -> bool {
181 0 : self.is_wal_backup_required(num_computes)
182 : // FIXME: add tracking of relevant pageservers and check them here individually,
183 : // otherwise migration won't work (we suspend too early).
184 0 : || self.sk.state.inmem.remote_consistent_lsn < self.sk.state.inmem.commit_lsn
185 0 : }
186 :
187 : /// Mark timeline active/inactive and return whether s3 offloading requires
188 : /// start/stop action. If timeline is deactivated, control file is persisted
189 : /// as maintenance task does that only for active timelines.
190 0 : async fn update_status(&mut self, num_computes: usize, ttid: TenantTimelineId) -> bool {
191 0 : let is_active = self.is_active(num_computes);
192 0 : if self.active != is_active {
193 0 : info!(
194 0 : "timeline {} active={} now, remote_consistent_lsn={}, commit_lsn={}",
195 0 : ttid,
196 0 : is_active,
197 0 : self.sk.state.inmem.remote_consistent_lsn,
198 0 : self.sk.state.inmem.commit_lsn
199 0 : );
200 0 : if !is_active {
201 0 : if let Err(e) = self.sk.state.flush().await {
202 0 : warn!("control file save in update_status failed: {:?}", e);
203 0 : }
204 0 : }
205 0 : }
206 0 : self.active = is_active;
207 0 : self.is_wal_backup_action_pending(num_computes)
208 0 : }
209 :
210 : /// Should we run s3 offloading in current state?
211 0 : fn is_wal_backup_required(&self, num_computes: usize) -> bool {
212 0 : let seg_size = self.get_wal_seg_size();
213 0 : num_computes > 0 ||
214 : // Currently only the whole segment is offloaded, so compare segment numbers.
215 0 : (self.sk.state.inmem.commit_lsn.segment_number(seg_size) >
216 0 : self.sk.state.inmem.backup_lsn.segment_number(seg_size))
217 0 : }
218 :
219 : /// Is current state of s3 offloading is not what it ought to be?
220 0 : fn is_wal_backup_action_pending(&self, num_computes: usize) -> bool {
221 0 : let res = self.wal_backup_active != self.is_wal_backup_required(num_computes);
222 0 : if res {
223 0 : let action_pending = if self.is_wal_backup_required(num_computes) {
224 0 : "start"
225 : } else {
226 0 : "stop"
227 : };
228 0 : trace!(
229 0 : "timeline {} s3 offloading action {} pending: num_computes={}, commit_lsn={}, backup_lsn={}",
230 0 : self.sk.state.timeline_id, action_pending, num_computes, self.sk.state.inmem.commit_lsn, self.sk.state.inmem.backup_lsn
231 0 : );
232 0 : }
233 0 : res
234 0 : }
235 :
236 : /// Returns whether s3 offloading is required and sets current status as
237 : /// matching.
238 0 : fn wal_backup_attend(&mut self, num_computes: usize) -> bool {
239 0 : self.wal_backup_active = self.is_wal_backup_required(num_computes);
240 0 : self.wal_backup_active
241 0 : }
242 :
243 0 : fn get_wal_seg_size(&self) -> usize {
244 0 : self.sk.state.server.wal_seg_size as usize
245 0 : }
246 :
247 0 : fn get_safekeeper_info(
248 0 : &self,
249 0 : ttid: &TenantTimelineId,
250 0 : conf: &SafeKeeperConf,
251 0 : ) -> SafekeeperTimelineInfo {
252 0 : SafekeeperTimelineInfo {
253 0 : safekeeper_id: conf.my_id.0,
254 0 : tenant_timeline_id: Some(ProtoTenantTimelineId {
255 0 : tenant_id: ttid.tenant_id.as_ref().to_owned(),
256 0 : timeline_id: ttid.timeline_id.as_ref().to_owned(),
257 0 : }),
258 0 : term: self.sk.state.acceptor_state.term,
259 0 : last_log_term: self.sk.get_epoch(),
260 0 : flush_lsn: self.sk.flush_lsn().0,
261 0 : // note: this value is not flushed to control file yet and can be lost
262 0 : commit_lsn: self.sk.state.inmem.commit_lsn.0,
263 0 : remote_consistent_lsn: self.sk.state.inmem.remote_consistent_lsn.0,
264 0 : peer_horizon_lsn: self.sk.state.inmem.peer_horizon_lsn.0,
265 0 : safekeeper_connstr: conf
266 0 : .advertise_pg_addr
267 0 : .to_owned()
268 0 : .unwrap_or(conf.listen_pg_addr.clone()),
269 0 : http_connstr: conf.listen_http_addr.to_owned(),
270 0 : backup_lsn: self.sk.state.inmem.backup_lsn.0,
271 0 : local_start_lsn: self.sk.state.local_start_lsn.0,
272 0 : availability_zone: conf.availability_zone.clone(),
273 0 : }
274 0 : }
275 :
276 : /// Get our latest view of alive peers status on the timeline.
277 : /// We pass our own info through the broker as well, so when we don't have connection
278 : /// to the broker returned vec is empty.
279 0 : fn get_peers(&self, heartbeat_timeout: Duration) -> Vec<PeerInfo> {
280 0 : let now = Instant::now();
281 0 : self.peers_info
282 0 : .0
283 0 : .iter()
284 0 : // Regard peer as absent if we haven't heard from it within heartbeat_timeout.
285 0 : .filter(|p| now.duration_since(p.ts) <= heartbeat_timeout)
286 0 : .cloned()
287 0 : .collect()
288 0 : }
289 :
290 : /// Get oldest segno we still need to keep. We hold WAL till it is consumed
291 : /// by all of 1) pageserver (remote_consistent_lsn) 2) peers 3) s3
292 : /// offloading.
293 : /// While it is safe to use inmem values for determining horizon,
294 : /// we use persistent to make possible normal states less surprising.
295 0 : fn get_horizon_segno(
296 0 : &self,
297 0 : wal_backup_enabled: bool,
298 0 : extra_horizon_lsn: Option<Lsn>,
299 0 : ) -> XLogSegNo {
300 0 : let state = &self.sk.state;
301 0 :
302 0 : use std::cmp::min;
303 0 : let mut horizon_lsn = min(state.remote_consistent_lsn, state.peer_horizon_lsn);
304 0 : if wal_backup_enabled {
305 0 : horizon_lsn = min(horizon_lsn, state.backup_lsn);
306 0 : }
307 0 : if let Some(extra_horizon_lsn) = extra_horizon_lsn {
308 0 : horizon_lsn = min(horizon_lsn, extra_horizon_lsn);
309 0 : }
310 0 : horizon_lsn.segment_number(state.server.wal_seg_size as usize)
311 0 : }
312 : }
313 :
314 0 : #[derive(Debug, thiserror::Error)]
315 : pub enum TimelineError {
316 : #[error("Timeline {0} was cancelled and cannot be used anymore")]
317 : Cancelled(TenantTimelineId),
318 : #[error("Timeline {0} was not found in global map")]
319 : NotFound(TenantTimelineId),
320 : #[error("Timeline {0} exists on disk, but wasn't loaded on startup")]
321 : Invalid(TenantTimelineId),
322 : #[error("Timeline {0} is already exists")]
323 : AlreadyExists(TenantTimelineId),
324 : #[error("Timeline {0} is not initialized, wal_seg_size is zero")]
325 : UninitializedWalSegSize(TenantTimelineId),
326 : #[error("Timeline {0} is not initialized, pg_version is unknown")]
327 : UninitialinzedPgVersion(TenantTimelineId),
328 : }
329 :
330 : // Convert to HTTP API error.
331 : impl From<TimelineError> for ApiError {
332 0 : fn from(te: TimelineError) -> ApiError {
333 0 : match te {
334 0 : TimelineError::NotFound(ttid) => {
335 0 : ApiError::NotFound(anyhow!("timeline {} not found", ttid).into())
336 : }
337 0 : _ => ApiError::InternalServerError(anyhow!("{}", te)),
338 : }
339 0 : }
340 : }
341 :
342 : /// Timeline struct manages lifecycle (creation, deletion, restore) of a safekeeper timeline.
343 : /// It also holds SharedState and provides mutually exclusive access to it.
344 : pub struct Timeline {
345 : pub ttid: TenantTimelineId,
346 :
347 : /// Sending here asks for wal backup launcher attention (start/stop
348 : /// offloading). Sending ttid instead of concrete command allows to do
349 : /// sending without timeline lock.
350 : pub wal_backup_launcher_tx: Sender<TenantTimelineId>,
351 :
352 : /// Used to broadcast commit_lsn updates to all background jobs.
353 : commit_lsn_watch_tx: watch::Sender<Lsn>,
354 : commit_lsn_watch_rx: watch::Receiver<Lsn>,
355 :
356 : /// Broadcasts (current term, flush_lsn) updates, walsender is interested in
357 : /// them when sending in recovery mode (to walproposer or peers). Note: this
358 : /// is just a notification, WAL reading should always done with lock held as
359 : /// term can change otherwise.
360 : term_flush_lsn_watch_tx: watch::Sender<TermLsn>,
361 : term_flush_lsn_watch_rx: watch::Receiver<TermLsn>,
362 :
363 : /// Safekeeper and other state, that should remain consistent and
364 : /// synchronized with the disk. This is tokio mutex as we write WAL to disk
365 : /// while holding it, ensuring that consensus checks are in order.
366 : mutex: Mutex<SharedState>,
367 : walsenders: Arc<WalSenders>,
368 : walreceivers: Arc<WalReceivers>,
369 :
370 : /// Cancellation channel. Delete/cancel will send `true` here as a cancellation signal.
371 : cancellation_tx: watch::Sender<bool>,
372 :
373 : /// Timeline should not be used after cancellation. Background tasks should
374 : /// monitor this channel and stop eventually after receiving `true` from this channel.
375 : cancellation_rx: watch::Receiver<bool>,
376 :
377 : /// Directory where timeline state is stored.
378 : pub timeline_dir: Utf8PathBuf,
379 :
380 : /// Should we keep WAL on disk for active replication connections.
381 : /// Especially useful for sharding, when different shards process WAL
382 : /// with different speed.
383 : // TODO: add `Arc<SafeKeeperConf>` here instead of adding each field separately.
384 : walsenders_keep_horizon: bool,
385 : }
386 :
387 : impl Timeline {
388 : /// Load existing timeline from disk.
389 0 : pub fn load_timeline(
390 0 : conf: &SafeKeeperConf,
391 0 : ttid: TenantTimelineId,
392 0 : wal_backup_launcher_tx: Sender<TenantTimelineId>,
393 0 : ) -> Result<Timeline> {
394 0 : let _enter = info_span!("load_timeline", timeline = %ttid.timeline_id).entered();
395 :
396 0 : let shared_state = SharedState::restore(conf, &ttid)?;
397 0 : let (commit_lsn_watch_tx, commit_lsn_watch_rx) =
398 0 : watch::channel(shared_state.sk.state.commit_lsn);
399 0 : let (term_flush_lsn_watch_tx, term_flush_lsn_watch_rx) = watch::channel(TermLsn::from((
400 0 : shared_state.sk.get_term(),
401 0 : shared_state.sk.flush_lsn(),
402 0 : )));
403 0 : let (cancellation_tx, cancellation_rx) = watch::channel(false);
404 0 :
405 0 : Ok(Timeline {
406 0 : ttid,
407 0 : wal_backup_launcher_tx,
408 0 : commit_lsn_watch_tx,
409 0 : commit_lsn_watch_rx,
410 0 : term_flush_lsn_watch_tx,
411 0 : term_flush_lsn_watch_rx,
412 0 : mutex: Mutex::new(shared_state),
413 0 : walsenders: WalSenders::new(),
414 0 : walreceivers: WalReceivers::new(),
415 0 : cancellation_rx,
416 0 : cancellation_tx,
417 0 : timeline_dir: conf.timeline_dir(&ttid),
418 0 : walsenders_keep_horizon: conf.walsenders_keep_horizon,
419 0 : })
420 0 : }
421 :
422 : /// Create a new timeline, which is not yet persisted to disk.
423 0 : pub fn create_empty(
424 0 : conf: &SafeKeeperConf,
425 0 : ttid: TenantTimelineId,
426 0 : wal_backup_launcher_tx: Sender<TenantTimelineId>,
427 0 : server_info: ServerInfo,
428 0 : commit_lsn: Lsn,
429 0 : local_start_lsn: Lsn,
430 0 : ) -> Result<Timeline> {
431 0 : let (commit_lsn_watch_tx, commit_lsn_watch_rx) = watch::channel(Lsn::INVALID);
432 0 : let (term_flush_lsn_watch_tx, term_flush_lsn_watch_rx) =
433 0 : watch::channel(TermLsn::from((INVALID_TERM, Lsn::INVALID)));
434 0 : let (cancellation_tx, cancellation_rx) = watch::channel(false);
435 0 : let state =
436 0 : TimelinePersistentState::new(&ttid, server_info, vec![], commit_lsn, local_start_lsn);
437 0 :
438 0 : Ok(Timeline {
439 0 : ttid,
440 0 : wal_backup_launcher_tx,
441 0 : commit_lsn_watch_tx,
442 0 : commit_lsn_watch_rx,
443 0 : term_flush_lsn_watch_tx,
444 0 : term_flush_lsn_watch_rx,
445 0 : mutex: Mutex::new(SharedState::create_new(conf, &ttid, state)?),
446 0 : walsenders: WalSenders::new(),
447 0 : walreceivers: WalReceivers::new(),
448 0 : cancellation_rx,
449 0 : cancellation_tx,
450 0 : timeline_dir: conf.timeline_dir(&ttid),
451 0 : walsenders_keep_horizon: conf.walsenders_keep_horizon,
452 : })
453 0 : }
454 :
455 : /// Initialize fresh timeline on disk and start background tasks. If init
456 : /// fails, timeline is cancelled and cannot be used anymore.
457 : ///
458 : /// Init is transactional, so if it fails, created files will be deleted,
459 : /// and state on disk should remain unchanged.
460 0 : pub async fn init_new(
461 0 : self: &Arc<Timeline>,
462 0 : shared_state: &mut MutexGuard<'_, SharedState>,
463 0 : conf: &SafeKeeperConf,
464 0 : ) -> Result<()> {
465 0 : match fs::metadata(&self.timeline_dir).await {
466 : Ok(_) => {
467 : // Timeline directory exists on disk, we should leave state unchanged
468 : // and return error.
469 0 : bail!(TimelineError::Invalid(self.ttid));
470 : }
471 0 : Err(e) if e.kind() == std::io::ErrorKind::NotFound => {}
472 0 : Err(e) => {
473 0 : return Err(e.into());
474 : }
475 : }
476 :
477 : // Create timeline directory.
478 0 : fs::create_dir_all(&self.timeline_dir).await?;
479 :
480 : // Write timeline to disk and start background tasks.
481 0 : if let Err(e) = shared_state.sk.state.flush().await {
482 : // Bootstrap failed, cancel timeline and remove timeline directory.
483 0 : self.cancel(shared_state);
484 :
485 0 : if let Err(fs_err) = fs::remove_dir_all(&self.timeline_dir).await {
486 0 : warn!(
487 0 : "failed to remove timeline {} directory after bootstrap failure: {}",
488 0 : self.ttid, fs_err
489 0 : );
490 0 : }
491 :
492 0 : return Err(e);
493 0 : }
494 0 : self.bootstrap(conf);
495 0 : Ok(())
496 0 : }
497 :
498 : /// Bootstrap new or existing timeline starting background stasks.
499 0 : pub fn bootstrap(self: &Arc<Timeline>, conf: &SafeKeeperConf) {
500 0 : // Start recovery task which always runs on the timeline.
501 0 : if conf.peer_recovery_enabled {
502 0 : tokio::spawn(recovery_main(self.clone(), conf.clone()));
503 0 : }
504 0 : }
505 :
506 : /// Delete timeline from disk completely, by removing timeline directory.
507 : /// Background timeline activities will stop eventually.
508 : ///
509 : /// Also deletes WAL in s3. Might fail if e.g. s3 is unavailable, but
510 : /// deletion API endpoint is retriable.
511 0 : pub async fn delete(
512 0 : &self,
513 0 : shared_state: &mut MutexGuard<'_, SharedState>,
514 0 : only_local: bool,
515 0 : ) -> Result<(bool, bool)> {
516 0 : let was_active = shared_state.active;
517 0 : self.cancel(shared_state);
518 0 :
519 0 : // TODO: It's better to wait for s3 offloader termination before
520 0 : // removing data from s3. Though since s3 doesn't have transactions it
521 0 : // still wouldn't guarantee absense of data after removal.
522 0 : let conf = GlobalTimelines::get_global_config();
523 0 : if !only_local && conf.is_wal_backup_enabled() {
524 : // Note: we concurrently delete remote storage data from multiple
525 : // safekeepers. That's ok, s3 replies 200 if object doesn't exist and we
526 : // do some retries anyway.
527 0 : wal_backup::delete_timeline(&self.ttid).await?;
528 0 : }
529 0 : let dir_existed = delete_dir(&self.timeline_dir).await?;
530 0 : Ok((dir_existed, was_active))
531 0 : }
532 :
533 : /// Cancel timeline to prevent further usage. Background tasks will stop
534 : /// eventually after receiving cancellation signal.
535 : ///
536 : /// Note that we can't notify backup launcher here while holding
537 : /// shared_state lock, as this is a potential deadlock: caller is
538 : /// responsible for that. Generally we should probably make WAL backup tasks
539 : /// to shut down on their own, checking once in a while whether it is the
540 : /// time.
541 0 : fn cancel(&self, shared_state: &mut MutexGuard<'_, SharedState>) {
542 0 : info!("timeline {} is cancelled", self.ttid);
543 0 : let _ = self.cancellation_tx.send(true);
544 0 : // Close associated FDs. Nobody will be able to touch timeline data once
545 0 : // it is cancelled, so WAL storage won't be opened again.
546 0 : shared_state.sk.wal_store.close();
547 0 : }
548 :
549 : /// Returns if timeline is cancelled.
550 0 : pub fn is_cancelled(&self) -> bool {
551 0 : *self.cancellation_rx.borrow()
552 0 : }
553 :
554 : /// Returns watch channel which gets value when timeline is cancelled. It is
555 : /// guaranteed to have not cancelled value observed (errors otherwise).
556 0 : pub fn get_cancellation_rx(&self) -> Result<watch::Receiver<bool>> {
557 0 : let rx = self.cancellation_rx.clone();
558 0 : if *rx.borrow() {
559 0 : bail!(TimelineError::Cancelled(self.ttid));
560 0 : }
561 0 : Ok(rx)
562 0 : }
563 :
564 : /// Take a writing mutual exclusive lock on timeline shared_state.
565 0 : pub async fn write_shared_state(&self) -> MutexGuard<SharedState> {
566 0 : self.mutex.lock().await
567 0 : }
568 :
569 0 : async fn update_status(&self, shared_state: &mut SharedState) -> bool {
570 0 : shared_state
571 0 : .update_status(self.walreceivers.get_num(), self.ttid)
572 0 : .await
573 0 : }
574 :
575 : /// Update timeline status and kick wal backup launcher to stop/start offloading if needed.
576 0 : pub async fn update_status_notify(&self) -> Result<()> {
577 0 : if self.is_cancelled() {
578 0 : bail!(TimelineError::Cancelled(self.ttid));
579 0 : }
580 0 : let is_wal_backup_action_pending: bool = {
581 0 : let mut shared_state = self.write_shared_state().await;
582 0 : self.update_status(&mut shared_state).await
583 : };
584 0 : if is_wal_backup_action_pending {
585 : // Can fail only if channel to a static thread got closed, which is not normal at all.
586 0 : self.wal_backup_launcher_tx.send(self.ttid).await?;
587 0 : }
588 0 : Ok(())
589 0 : }
590 :
591 : /// Returns true if walsender should stop sending WAL to pageserver. We
592 : /// terminate it if remote_consistent_lsn reached commit_lsn and there is no
593 : /// computes. While there might be nothing to stream already, we learn about
594 : /// remote_consistent_lsn update through replication feedback, and we want
595 : /// to stop pushing to the broker if pageserver is fully caughtup.
596 0 : pub async fn should_walsender_stop(&self, reported_remote_consistent_lsn: Lsn) -> bool {
597 0 : if self.is_cancelled() {
598 0 : return true;
599 0 : }
600 0 : let shared_state = self.write_shared_state().await;
601 0 : if self.walreceivers.get_num() == 0 {
602 0 : return shared_state.sk.state.inmem.commit_lsn == Lsn(0) || // no data at all yet
603 0 : reported_remote_consistent_lsn >= shared_state.sk.state.inmem.commit_lsn;
604 0 : }
605 0 : false
606 0 : }
607 :
608 : /// Ensure taht current term is t, erroring otherwise, and lock the state.
609 0 : pub async fn acquire_term(&self, t: Term) -> Result<MutexGuard<SharedState>> {
610 0 : let ss = self.write_shared_state().await;
611 0 : if ss.sk.state.acceptor_state.term != t {
612 0 : bail!(
613 0 : "failed to acquire term {}, current term {}",
614 0 : t,
615 0 : ss.sk.state.acceptor_state.term
616 0 : );
617 0 : }
618 0 : Ok(ss)
619 0 : }
620 :
621 : /// Returns whether s3 offloading is required and sets current status as
622 : /// matching it.
623 0 : pub async fn wal_backup_attend(&self) -> bool {
624 0 : if self.is_cancelled() {
625 0 : return false;
626 0 : }
627 0 :
628 0 : self.write_shared_state()
629 0 : .await
630 0 : .wal_backup_attend(self.walreceivers.get_num())
631 0 : }
632 :
633 : /// Returns commit_lsn watch channel.
634 0 : pub fn get_commit_lsn_watch_rx(&self) -> watch::Receiver<Lsn> {
635 0 : self.commit_lsn_watch_rx.clone()
636 0 : }
637 :
638 : /// Returns term_flush_lsn watch channel.
639 0 : pub fn get_term_flush_lsn_watch_rx(&self) -> watch::Receiver<TermLsn> {
640 0 : self.term_flush_lsn_watch_rx.clone()
641 0 : }
642 :
643 : /// Pass arrived message to the safekeeper.
644 0 : pub async fn process_msg(
645 0 : &self,
646 0 : msg: &ProposerAcceptorMessage,
647 0 : ) -> Result<Option<AcceptorProposerMessage>> {
648 0 : if self.is_cancelled() {
649 0 : bail!(TimelineError::Cancelled(self.ttid));
650 0 : }
651 :
652 : let mut rmsg: Option<AcceptorProposerMessage>;
653 : let commit_lsn: Lsn;
654 : let term_flush_lsn: TermLsn;
655 : {
656 0 : let mut shared_state = self.write_shared_state().await;
657 0 : rmsg = shared_state.sk.process_msg(msg).await?;
658 :
659 : // if this is AppendResponse, fill in proper pageserver and hot
660 : // standby feedback.
661 0 : if let Some(AcceptorProposerMessage::AppendResponse(ref mut resp)) = rmsg {
662 0 : let (ps_feedback, hs_feedback) = self.walsenders.get_feedbacks();
663 0 : resp.hs_feedback = hs_feedback;
664 0 : resp.pageserver_feedback = ps_feedback;
665 0 : }
666 :
667 0 : commit_lsn = shared_state.sk.state.inmem.commit_lsn;
668 0 : term_flush_lsn =
669 0 : TermLsn::from((shared_state.sk.get_term(), shared_state.sk.flush_lsn()));
670 0 : }
671 0 : self.commit_lsn_watch_tx.send(commit_lsn)?;
672 0 : self.term_flush_lsn_watch_tx.send(term_flush_lsn)?;
673 0 : Ok(rmsg)
674 0 : }
675 :
676 : /// Returns wal_seg_size.
677 0 : pub async fn get_wal_seg_size(&self) -> usize {
678 0 : self.write_shared_state().await.get_wal_seg_size()
679 0 : }
680 :
681 : /// Returns true only if the timeline is loaded and active.
682 0 : pub async fn is_active(&self) -> bool {
683 0 : if self.is_cancelled() {
684 0 : return false;
685 0 : }
686 0 :
687 0 : self.write_shared_state().await.active
688 0 : }
689 :
690 : /// Returns state of the timeline.
691 0 : pub async fn get_state(&self) -> (TimelineMemState, TimelinePersistentState) {
692 0 : let state = self.write_shared_state().await;
693 0 : (state.sk.state.inmem.clone(), state.sk.state.clone())
694 0 : }
695 :
696 : /// Returns latest backup_lsn.
697 0 : pub async fn get_wal_backup_lsn(&self) -> Lsn {
698 0 : self.write_shared_state().await.sk.state.inmem.backup_lsn
699 0 : }
700 :
701 : /// Sets backup_lsn to the given value.
702 0 : pub async fn set_wal_backup_lsn(&self, backup_lsn: Lsn) -> Result<()> {
703 0 : if self.is_cancelled() {
704 0 : bail!(TimelineError::Cancelled(self.ttid));
705 0 : }
706 :
707 0 : let mut state = self.write_shared_state().await;
708 0 : state.sk.state.inmem.backup_lsn = max(state.sk.state.inmem.backup_lsn, backup_lsn);
709 0 : // we should check whether to shut down offloader, but this will be done
710 0 : // soon by peer communication anyway.
711 0 : Ok(())
712 0 : }
713 :
714 : /// Get safekeeper info for broadcasting to broker and other peers.
715 0 : pub async fn get_safekeeper_info(&self, conf: &SafeKeeperConf) -> SafekeeperTimelineInfo {
716 0 : let shared_state = self.write_shared_state().await;
717 0 : shared_state.get_safekeeper_info(&self.ttid, conf)
718 0 : }
719 :
720 : /// Update timeline state with peer safekeeper data.
721 0 : pub async fn record_safekeeper_info(&self, sk_info: SafekeeperTimelineInfo) -> Result<()> {
722 : let is_wal_backup_action_pending: bool;
723 : let commit_lsn: Lsn;
724 : {
725 0 : let mut shared_state = self.write_shared_state().await;
726 0 : shared_state.sk.record_safekeeper_info(&sk_info).await?;
727 0 : let peer_info = PeerInfo::from_sk_info(&sk_info, Instant::now());
728 0 : shared_state.peers_info.upsert(&peer_info);
729 0 : is_wal_backup_action_pending = self.update_status(&mut shared_state).await;
730 0 : commit_lsn = shared_state.sk.state.inmem.commit_lsn;
731 0 : }
732 0 : self.commit_lsn_watch_tx.send(commit_lsn)?;
733 : // Wake up wal backup launcher, if it is time to stop the offloading.
734 0 : if is_wal_backup_action_pending {
735 0 : self.wal_backup_launcher_tx.send(self.ttid).await?;
736 0 : }
737 0 : Ok(())
738 0 : }
739 :
740 : /// Update in memory remote consistent lsn.
741 0 : pub async fn update_remote_consistent_lsn(&self, candidate: Lsn) {
742 0 : let mut shared_state = self.write_shared_state().await;
743 0 : shared_state.sk.state.inmem.remote_consistent_lsn =
744 0 : max(shared_state.sk.state.inmem.remote_consistent_lsn, candidate);
745 0 : }
746 :
747 0 : pub async fn get_peers(&self, conf: &SafeKeeperConf) -> Vec<PeerInfo> {
748 0 : let shared_state = self.write_shared_state().await;
749 0 : shared_state.get_peers(conf.heartbeat_timeout)
750 0 : }
751 :
752 : /// Should we start fetching WAL from a peer safekeeper, and if yes, from
753 : /// which? Answer is yes, i.e. .donors is not empty if 1) there is something
754 : /// to fetch, and we can do that without running elections; 2) there is no
755 : /// actively streaming compute, as we don't want to compete with it.
756 : ///
757 : /// If donor(s) are choosen, theirs last_log_term is guaranteed to be equal
758 : /// to its last_log_term so we are sure such a leader ever had been elected.
759 : ///
760 : /// All possible donors are returned so that we could keep connection to the
761 : /// current one if it is good even if it slightly lags behind.
762 : ///
763 : /// Note that term conditions above might be not met, but safekeepers are
764 : /// still not aligned on last flush_lsn. Generally in this case until
765 : /// elections are run it is not possible to say which safekeeper should
766 : /// recover from which one -- history which would be committed is different
767 : /// depending on assembled quorum (e.g. classic picture 8 from Raft paper).
768 : /// Thus we don't try to predict it here.
769 0 : pub async fn recovery_needed(&self, heartbeat_timeout: Duration) -> RecoveryNeededInfo {
770 0 : let ss = self.write_shared_state().await;
771 0 : let term = ss.sk.state.acceptor_state.term;
772 0 : let last_log_term = ss.sk.get_epoch();
773 0 : let flush_lsn = ss.sk.flush_lsn();
774 0 : // note that peers contain myself, but that's ok -- we are interested only in peers which are strictly ahead of us.
775 0 : let mut peers = ss.get_peers(heartbeat_timeout);
776 0 : // Sort by <last log term, lsn> pairs.
777 0 : peers.sort_by(|p1, p2| {
778 0 : let tl1 = TermLsn {
779 0 : term: p1.last_log_term,
780 0 : lsn: p1.flush_lsn,
781 0 : };
782 0 : let tl2 = TermLsn {
783 0 : term: p2.last_log_term,
784 0 : lsn: p2.flush_lsn,
785 0 : };
786 0 : tl2.cmp(&tl1) // desc
787 0 : });
788 0 : let num_streaming_computes = self.walreceivers.get_num_streaming();
789 0 : let donors = if num_streaming_computes > 0 {
790 0 : vec![] // If there is a streaming compute, don't try to recover to not intervene.
791 : } else {
792 0 : peers
793 0 : .iter()
794 0 : .filter_map(|candidate| {
795 0 : // Are we interested in this candidate?
796 0 : let candidate_tl = TermLsn {
797 0 : term: candidate.last_log_term,
798 0 : lsn: candidate.flush_lsn,
799 0 : };
800 0 : let my_tl = TermLsn {
801 0 : term: last_log_term,
802 0 : lsn: flush_lsn,
803 0 : };
804 0 : if my_tl < candidate_tl {
805 : // Yes, we are interested. Can we pull from it without
806 : // (re)running elections? It is possible if 1) his term
807 : // is equal to his last_log_term so we could act on
808 : // behalf of leader of this term (we must be sure he was
809 : // ever elected) and 2) our term is not higher, or we'll refuse data.
810 0 : if candidate.term == candidate.last_log_term && candidate.term >= term {
811 0 : Some(Donor::from(candidate))
812 : } else {
813 0 : None
814 : }
815 : } else {
816 0 : None
817 : }
818 0 : })
819 0 : .collect()
820 : };
821 0 : RecoveryNeededInfo {
822 0 : term,
823 0 : last_log_term,
824 0 : flush_lsn,
825 0 : peers,
826 0 : num_streaming_computes,
827 0 : donors,
828 0 : }
829 0 : }
830 :
831 0 : pub fn get_walsenders(&self) -> &Arc<WalSenders> {
832 0 : &self.walsenders
833 0 : }
834 :
835 0 : pub fn get_walreceivers(&self) -> &Arc<WalReceivers> {
836 0 : &self.walreceivers
837 0 : }
838 :
839 : /// Returns flush_lsn.
840 0 : pub async fn get_flush_lsn(&self) -> Lsn {
841 0 : self.write_shared_state().await.sk.wal_store.flush_lsn()
842 0 : }
843 :
844 : /// Delete WAL segments from disk that are no longer needed. This is determined
845 : /// based on pageserver's remote_consistent_lsn and local backup_lsn/peer_lsn.
846 0 : pub async fn remove_old_wal(&self, wal_backup_enabled: bool) -> Result<()> {
847 0 : if self.is_cancelled() {
848 0 : bail!(TimelineError::Cancelled(self.ttid));
849 0 : }
850 :
851 : // If enabled, we use LSN of the most lagging walsender as a WAL removal horizon.
852 : // This allows to get better read speed for pageservers that are lagging behind,
853 : // at the cost of keeping more WAL on disk.
854 0 : let replication_horizon_lsn = if self.walsenders_keep_horizon {
855 0 : self.walsenders.laggard_lsn()
856 : } else {
857 0 : None
858 : };
859 :
860 : let horizon_segno: XLogSegNo;
861 0 : let remover = {
862 0 : let shared_state = self.write_shared_state().await;
863 0 : horizon_segno =
864 0 : shared_state.get_horizon_segno(wal_backup_enabled, replication_horizon_lsn);
865 0 : if horizon_segno <= 1 || horizon_segno <= shared_state.last_removed_segno {
866 0 : return Ok(()); // nothing to do
867 0 : }
868 0 :
869 0 : // release the lock before removing
870 0 : shared_state.sk.wal_store.remove_up_to(horizon_segno - 1)
871 0 : };
872 0 :
873 0 : // delete old WAL files
874 0 : remover.await?;
875 :
876 : // update last_removed_segno
877 0 : let mut shared_state = self.write_shared_state().await;
878 0 : shared_state.last_removed_segno = horizon_segno;
879 0 : Ok(())
880 0 : }
881 :
882 : /// Persist control file if there is something to save and enough time
883 : /// passed after the last save. This helps to keep remote_consistent_lsn up
884 : /// to date so that storage nodes restart doesn't cause many pageserver ->
885 : /// safekeeper reconnections.
886 0 : pub async fn maybe_persist_control_file(&self) -> Result<()> {
887 0 : self.write_shared_state()
888 0 : .await
889 : .sk
890 0 : .maybe_persist_inmem_control_file()
891 0 : .await
892 0 : }
893 :
894 : /// Gather timeline data for metrics. If the timeline is not active, returns
895 : /// None, we do not collect these.
896 0 : pub async fn info_for_metrics(&self) -> Option<FullTimelineInfo> {
897 0 : if self.is_cancelled() {
898 0 : return None;
899 0 : }
900 0 :
901 0 : let ps_feedback = self.walsenders.get_ps_feedback();
902 0 : let state = self.write_shared_state().await;
903 0 : if state.active {
904 0 : Some(FullTimelineInfo {
905 0 : ttid: self.ttid,
906 0 : ps_feedback,
907 0 : wal_backup_active: state.wal_backup_active,
908 0 : timeline_is_active: state.active,
909 0 : num_computes: self.walreceivers.get_num() as u32,
910 0 : last_removed_segno: state.last_removed_segno,
911 0 : epoch_start_lsn: state.sk.epoch_start_lsn,
912 0 : mem_state: state.sk.state.inmem.clone(),
913 0 : persisted_state: state.sk.state.clone(),
914 0 : flush_lsn: state.sk.wal_store.flush_lsn(),
915 0 : wal_storage: state.sk.wal_store.get_metrics(),
916 0 : })
917 : } else {
918 0 : None
919 : }
920 0 : }
921 :
922 : /// Returns in-memory timeline state to build a full debug dump.
923 0 : pub async fn memory_dump(&self) -> debug_dump::Memory {
924 0 : let state = self.write_shared_state().await;
925 :
926 0 : let (write_lsn, write_record_lsn, flush_lsn, file_open) =
927 0 : state.sk.wal_store.internal_state();
928 0 :
929 0 : debug_dump::Memory {
930 0 : is_cancelled: self.is_cancelled(),
931 0 : peers_info_len: state.peers_info.0.len(),
932 0 : walsenders: self.walsenders.get_all(),
933 0 : wal_backup_active: state.wal_backup_active,
934 0 : active: state.active,
935 0 : num_computes: self.walreceivers.get_num() as u32,
936 0 : last_removed_segno: state.last_removed_segno,
937 0 : epoch_start_lsn: state.sk.epoch_start_lsn,
938 0 : mem_state: state.sk.state.inmem.clone(),
939 0 : write_lsn,
940 0 : write_record_lsn,
941 0 : flush_lsn,
942 0 : file_open,
943 0 : }
944 0 : }
945 :
946 : /// Apply a function to the control file state and persist it.
947 0 : pub async fn map_control_file<T>(
948 0 : &self,
949 0 : f: impl FnOnce(&mut TimelinePersistentState) -> Result<T>,
950 0 : ) -> Result<T> {
951 0 : let mut state = self.write_shared_state().await;
952 0 : let mut persistent_state = state.sk.state.start_change();
953 : // If f returns error, we abort the change and don't persist anything.
954 0 : let res = f(&mut persistent_state)?;
955 : // If persisting fails, we abort the change and return error.
956 0 : state.sk.state.finish_change(&persistent_state).await?;
957 0 : Ok(res)
958 0 : }
959 : }
960 :
961 : /// Deletes directory and it's contents. Returns false if directory does not exist.
962 0 : async fn delete_dir(path: &Utf8PathBuf) -> Result<bool> {
963 0 : match fs::remove_dir_all(path).await {
964 0 : Ok(_) => Ok(true),
965 0 : Err(e) if e.kind() == std::io::ErrorKind::NotFound => Ok(false),
966 0 : Err(e) => Err(e.into()),
967 : }
968 0 : }
|