LCOV - code coverage report
Current view: top level - pageserver/src/tenant/timeline/walreceiver - connection_manager.rs (source / functions) Coverage Total Hit
Test: 5445d246133daeceb0507e6cc0797ab7c1c70cb8.info Lines: 58.5 % 1198 701
Test Date: 2025-03-12 18:05:02 Functions: 61.8 % 76 47

            Line data    Source code
       1              : //! WAL receiver logic that ensures the pageserver gets connectected to safekeeper,
       2              : //! that contains the latest WAL to stream and this connection does not go stale.
       3              : //!
       4              : //! To achieve that, a storage broker is used: safekepers propagate their timelines' state in it,
       5              : //! the manager subscribes for changes and accumulates those to query the one with the biggest Lsn for connection.
       6              : //! Current connection state is tracked too, to ensure it's not getting stale.
       7              : //!
       8              : //! After every connection or storage broker update fetched, the state gets updated correspondingly and rechecked for the new conneciton leader,
       9              : //! then a (re)connection happens, if necessary.
      10              : //! Only WAL streaming task expects to be finished, other loops (storage broker, connection management) never exit unless cancelled explicitly via the dedicated channel.
      11              : 
      12              : use std::collections::HashMap;
      13              : use std::num::NonZeroU64;
      14              : use std::ops::ControlFlow;
      15              : use std::sync::Arc;
      16              : use std::time::Duration;
      17              : 
      18              : use anyhow::Context;
      19              : use chrono::{NaiveDateTime, Utc};
      20              : use pageserver_api::models::TimelineState;
      21              : use postgres_connection::PgConnectionConfig;
      22              : use storage_broker::proto::{
      23              :     FilterTenantTimelineId, MessageType, SafekeeperDiscoveryRequest, SafekeeperDiscoveryResponse,
      24              :     SubscribeByFilterRequest, TenantTimelineId as ProtoTenantTimelineId, TypeSubscription,
      25              :     TypedMessage,
      26              : };
      27              : use storage_broker::{BrokerClientChannel, Code, Streaming};
      28              : use tokio_util::sync::CancellationToken;
      29              : use tracing::*;
      30              : use utils::backoff::{
      31              :     DEFAULT_BASE_BACKOFF_SECONDS, DEFAULT_MAX_BACKOFF_SECONDS, exponential_backoff,
      32              : };
      33              : use utils::id::{NodeId, TenantTimelineId};
      34              : use utils::lsn::Lsn;
      35              : use utils::postgres_client::{
      36              :     ConnectionConfigArgs, PostgresClientProtocol, wal_stream_connection_config,
      37              : };
      38              : 
      39              : use super::walreceiver_connection::{WalConnectionStatus, WalReceiverError};
      40              : use super::{TaskEvent, TaskHandle, TaskStateUpdate, WalReceiverConf};
      41              : use crate::context::{DownloadBehavior, RequestContext};
      42              : use crate::metrics::{
      43              :     WALRECEIVER_ACTIVE_MANAGERS, WALRECEIVER_BROKER_UPDATES, WALRECEIVER_CANDIDATES_ADDED,
      44              :     WALRECEIVER_CANDIDATES_REMOVED, WALRECEIVER_SWITCHES,
      45              : };
      46              : use crate::task_mgr::TaskKind;
      47              : use crate::tenant::{Timeline, debug_assert_current_span_has_tenant_and_timeline_id};
      48              : 
      49              : pub(crate) struct Cancelled;
      50              : 
      51              : /// Attempts to subscribe for timeline updates, pushed by safekeepers into the broker.
      52              : /// Based on the updates, desides whether to start, keep or stop a WAL receiver task.
      53              : /// If storage broker subscription is cancelled, exits.
      54              : ///
      55              : /// # Cancel-Safety
      56              : ///
      57              : /// Not cancellation-safe. Use `cancel` token to request cancellation.
      58            0 : pub(super) async fn connection_manager_loop_step(
      59            0 :     broker_client: &mut BrokerClientChannel,
      60            0 :     connection_manager_state: &mut ConnectionManagerState,
      61            0 :     ctx: &RequestContext,
      62            0 :     cancel: &CancellationToken,
      63            0 :     manager_status: &std::sync::RwLock<Option<ConnectionManagerStatus>>,
      64            0 : ) -> Result<(), Cancelled> {
      65            0 :     match tokio::select! {
      66            0 :         _ = cancel.cancelled() => { return Err(Cancelled); },
      67            0 :         st = connection_manager_state.timeline.wait_to_become_active(ctx) => { st }
      68              :     } {
      69            0 :         Ok(()) => {}
      70            0 :         Err(new_state) => {
      71            0 :             debug!(
      72              :                 ?new_state,
      73            0 :                 "state changed, stopping wal connection manager loop"
      74              :             );
      75            0 :             return Err(Cancelled);
      76              :         }
      77              :     }
      78              : 
      79            0 :     WALRECEIVER_ACTIVE_MANAGERS.inc();
      80            0 :     scopeguard::defer! {
      81            0 :         WALRECEIVER_ACTIVE_MANAGERS.dec();
      82            0 :     }
      83            0 : 
      84            0 :     let id = TenantTimelineId {
      85            0 :         tenant_id: connection_manager_state.timeline.tenant_shard_id.tenant_id,
      86            0 :         timeline_id: connection_manager_state.timeline.timeline_id,
      87            0 :     };
      88            0 : 
      89            0 :     let mut timeline_state_updates = connection_manager_state
      90            0 :         .timeline
      91            0 :         .subscribe_for_state_updates();
      92            0 : 
      93            0 :     let mut wait_lsn_status = connection_manager_state
      94            0 :         .timeline
      95            0 :         .subscribe_for_wait_lsn_updates();
      96            0 : 
      97            0 :     // TODO: create a separate config option for discovery request interval
      98            0 :     let discovery_request_interval = connection_manager_state.conf.lagging_wal_timeout;
      99            0 :     let mut last_discovery_ts: Option<std::time::Instant> = None;
     100              : 
     101              :     // Subscribe to the broker updates. Stream shares underlying TCP connection
     102              :     // with other streams on this client (other connection managers). When
     103              :     // object goes out of scope, stream finishes in drop() automatically.
     104            0 :     let mut broker_subscription = subscribe_for_timeline_updates(broker_client, id, cancel).await?;
     105            0 :     debug!("Subscribed for broker timeline updates");
     106              : 
     107              :     loop {
     108            0 :         let time_until_next_retry = connection_manager_state.time_until_next_retry();
     109            0 :         let any_activity = connection_manager_state.wal_connection.is_some()
     110            0 :             || !connection_manager_state.wal_stream_candidates.is_empty();
     111              : 
     112              :         // These things are happening concurrently:
     113              :         //
     114              :         //  - cancellation request
     115              :         //  - keep receiving WAL on the current connection
     116              :         //      - if the shared state says we need to change connection, disconnect and return
     117              :         //      - this runs in a separate task and we receive updates via a watch channel
     118              :         //  - change connection if the rules decide so, or if the current connection dies
     119              :         //  - receive updates from broker
     120              :         //      - this might change the current desired connection
     121              :         //  - timeline state changes to something that does not allow walreceiver to run concurrently
     122              :         //  - if there's no connection and no candidates, try to send a discovery request
     123              : 
     124              :         // NB: make sure each of the select expressions are cancellation-safe
     125              :         // (no need for arms to be cancellation-safe).
     126            0 :         tokio::select! {
     127            0 :             _ = cancel.cancelled() => { return Err(Cancelled); }
     128            0 :             Some(wal_connection_update) = async {
     129            0 :                 match connection_manager_state.wal_connection.as_mut() {
     130            0 :                     Some(wal_connection) => Some(wal_connection.connection_task.next_task_event().await),
     131            0 :                     None => None,
     132              :                 }
     133            0 :             } => {
     134            0 :                 let wal_connection = connection_manager_state.wal_connection.as_mut()
     135            0 :                     .expect("Should have a connection, as checked by the corresponding select! guard");
     136            0 :                 match wal_connection_update {
     137            0 :                     TaskEvent::Update(TaskStateUpdate::Started) => {},
     138            0 :                     TaskEvent::Update(TaskStateUpdate::Progress(new_status)) => {
     139            0 :                         if new_status.has_processed_wal {
     140            0 :                             // We have advanced last_record_lsn by processing the WAL received
     141            0 :                             // from this safekeeper. This is good enough to clean unsuccessful
     142            0 :                             // retries history and allow reconnecting to this safekeeper without
     143            0 :                             // sleeping for a long time.
     144            0 :                             connection_manager_state.wal_connection_retries.remove(&wal_connection.sk_id);
     145            0 :                         }
     146            0 :                         wal_connection.status = new_status;
     147              :                     }
     148            0 :                     TaskEvent::End(walreceiver_task_result) => {
     149            0 :                         match walreceiver_task_result {
     150            0 :                             Ok(()) => debug!("WAL receiving task finished"),
     151            0 :                             Err(e) => error!("wal receiver task finished with an error: {e:?}"),
     152              :                         }
     153            0 :                         connection_manager_state.drop_old_connection(false).await;
     154              :                     },
     155              :                 }
     156              :             },
     157              : 
     158              :             // Got a new update from the broker
     159            0 :             broker_update = broker_subscription.message() /* TODO: review cancellation-safety */ => {
     160            0 :                 match broker_update {
     161            0 :                     Ok(Some(broker_update)) => connection_manager_state.register_timeline_update(broker_update),
     162            0 :                     Err(status) => {
     163            0 :                         match status.code() {
     164            0 :                             Code::Unknown if status.message().contains("stream closed because of a broken pipe") || status.message().contains("connection reset") || status.message().contains("error reading a body from connection") => {
     165            0 :                                 // tonic's error handling doesn't provide a clear code for disconnections: we get
     166            0 :                                 // "h2 protocol error: error reading a body from connection: stream closed because of a broken pipe"
     167            0 :                                 // => https://github.com/neondatabase/neon/issues/9562
     168            0 :                                 info!("broker disconnected: {status}");
     169              :                             },
     170              :                             _ => {
     171            0 :                                 warn!("broker subscription failed: {status}");
     172              :                             }
     173              :                         }
     174            0 :                         return Ok(());
     175              :                     }
     176              :                     Ok(None) => {
     177            0 :                         error!("broker subscription stream ended"); // can't happen
     178            0 :                         return Ok(());
     179              :                     }
     180              :                 }
     181              :             },
     182              : 
     183            0 :             new_event = async {
     184              :                 // Reminder: this match arm needs to be cancellation-safe.
     185              :                 loop {
     186            0 :                     if connection_manager_state.timeline.current_state() == TimelineState::Loading {
     187            0 :                         warn!("wal connection manager should only be launched after timeline has become active");
     188            0 :                     }
     189            0 :                     match timeline_state_updates.changed().await {
     190              :                         Ok(()) => {
     191            0 :                             let new_state = connection_manager_state.timeline.current_state();
     192            0 :                             match new_state {
     193              :                                 // we're already active as walreceiver, no need to reactivate
     194            0 :                                 TimelineState::Active => continue,
     195              :                                 TimelineState::Broken { .. } | TimelineState::Stopping => {
     196            0 :                                     debug!("timeline entered terminal state {new_state:?}, stopping wal connection manager loop");
     197            0 :                                     return ControlFlow::Break(());
     198              :                                 }
     199              :                                 TimelineState::Loading => {
     200            0 :                                     warn!("timeline transitioned back to Loading state, that should not happen");
     201            0 :                                     return ControlFlow::Continue(());
     202              :                                 }
     203              :                             }
     204              :                         }
     205            0 :                         Err(_sender_dropped_error) => return ControlFlow::Break(()),
     206              :                     }
     207              :                 }
     208            0 :             } => match new_event {
     209              :                 ControlFlow::Continue(()) => {
     210            0 :                     return Ok(());
     211              :                 }
     212              :                 ControlFlow::Break(()) => {
     213            0 :                     debug!("Timeline is no longer active, stopping wal connection manager loop");
     214            0 :                     return Err(Cancelled);
     215              :                 }
     216              :             },
     217              : 
     218            0 :             Some(()) = async {
     219            0 :                 match time_until_next_retry {
     220            0 :                     Some(sleep_time) => {
     221            0 :                         tokio::time::sleep(sleep_time).await;
     222            0 :                         Some(())
     223              :                     },
     224              :                     None => {
     225            0 :                         debug!("No candidates to retry, waiting indefinitely for the broker events");
     226            0 :                         None
     227              :                     }
     228              :                 }
     229            0 :             } => debug!("Waking up for the next retry after waiting for {time_until_next_retry:?}"),
     230              : 
     231            0 :             Some(()) = async {
     232            0 :                 // Reminder: this match arm needs to be cancellation-safe.
     233            0 :                 // Calculating time needed to wait until sending the next discovery request.
     234            0 :                 // Current implementation is conservative and sends discovery requests only when there are no candidates.
     235            0 : 
     236            0 :                 if any_activity {
     237              :                     // No need to send discovery requests if there is an active connection or candidates.
     238            0 :                     return None;
     239            0 :                 }
     240              : 
     241              :                 // Waiting for an active wait_lsn request.
     242            0 :                 while wait_lsn_status.borrow().is_none() {
     243            0 :                     if wait_lsn_status.changed().await.is_err() {
     244              :                         // wait_lsn_status channel was closed, exiting
     245            0 :                         warn!("wait_lsn_status channel was closed in connection_manager_loop_step");
     246            0 :                         return None;
     247            0 :                     }
     248              :                 }
     249              : 
     250              :                 // All preconditions met, preparing to send a discovery request.
     251            0 :                 let now = std::time::Instant::now();
     252            0 :                 let next_discovery_ts = last_discovery_ts
     253            0 :                     .map(|ts| ts + discovery_request_interval)
     254            0 :                     .unwrap_or_else(|| now);
     255            0 : 
     256            0 :                 if next_discovery_ts > now {
     257              :                     // Prevent sending discovery requests too frequently.
     258            0 :                     tokio::time::sleep(next_discovery_ts - now).await;
     259            0 :                 }
     260              : 
     261            0 :                 let tenant_timeline_id = Some(ProtoTenantTimelineId {
     262            0 :                     tenant_id: id.tenant_id.as_ref().to_owned(),
     263            0 :                     timeline_id: id.timeline_id.as_ref().to_owned(),
     264            0 :                 });
     265            0 :                 let request = SafekeeperDiscoveryRequest { tenant_timeline_id };
     266            0 :                 let msg = TypedMessage {
     267            0 :                     r#type: MessageType::SafekeeperDiscoveryRequest as i32,
     268            0 :                     safekeeper_timeline_info: None,
     269            0 :                     safekeeper_discovery_request: Some(request),
     270            0 :                     safekeeper_discovery_response: None,
     271            0 :                     };
     272            0 : 
     273            0 :                 last_discovery_ts = Some(std::time::Instant::now());
     274            0 :                 info!("No active connection and no candidates, sending discovery request to the broker");
     275              : 
     276              :                 // Cancellation safety: we want to send a message to the broker, but publish_one()
     277              :                 // function can get cancelled by the other select! arm. This is absolutely fine, because
     278              :                 // we just want to receive broker updates and discovery is not important if we already
     279              :                 // receive updates.
     280              :                 //
     281              :                 // It is possible that `last_discovery_ts` will be updated, but the message will not be sent.
     282              :                 // This is totally fine because of the reason above.
     283              : 
     284              :                 // This is a fire-and-forget request, we don't care about the response
     285            0 :                 let _ = broker_client.publish_one(msg).await;
     286            0 :                 debug!("Discovery request sent to the broker");
     287            0 :                 None
     288            0 :             } => {}
     289              :         }
     290              : 
     291            0 :         if let Some(new_candidate) = connection_manager_state.next_connection_candidate() {
     292            0 :             info!("Switching to new connection candidate: {new_candidate:?}");
     293            0 :             connection_manager_state
     294            0 :                 .change_connection(new_candidate, ctx)
     295            0 :                 .await
     296            0 :         }
     297            0 :         *manager_status.write().unwrap() = Some(connection_manager_state.manager_status());
     298              :     }
     299            0 : }
     300              : 
     301              : /// Endlessly try to subscribe for broker updates for a given timeline.
     302            0 : async fn subscribe_for_timeline_updates(
     303            0 :     broker_client: &mut BrokerClientChannel,
     304            0 :     id: TenantTimelineId,
     305            0 :     cancel: &CancellationToken,
     306            0 : ) -> Result<Streaming<TypedMessage>, Cancelled> {
     307            0 :     let mut attempt = 0;
     308              :     loop {
     309            0 :         exponential_backoff(
     310            0 :             attempt,
     311            0 :             DEFAULT_BASE_BACKOFF_SECONDS,
     312            0 :             DEFAULT_MAX_BACKOFF_SECONDS,
     313            0 :             cancel,
     314            0 :         )
     315            0 :         .await;
     316            0 :         attempt += 1;
     317            0 : 
     318            0 :         // subscribe to the specific timeline
     319            0 :         let request = SubscribeByFilterRequest {
     320            0 :             types: vec![
     321            0 :                 TypeSubscription {
     322            0 :                     r#type: MessageType::SafekeeperTimelineInfo as i32,
     323            0 :                 },
     324            0 :                 TypeSubscription {
     325            0 :                     r#type: MessageType::SafekeeperDiscoveryResponse as i32,
     326            0 :                 },
     327            0 :             ],
     328            0 :             tenant_timeline_id: Some(FilterTenantTimelineId {
     329            0 :                 enabled: true,
     330            0 :                 tenant_timeline_id: Some(ProtoTenantTimelineId {
     331            0 :                     tenant_id: id.tenant_id.as_ref().to_owned(),
     332            0 :                     timeline_id: id.timeline_id.as_ref().to_owned(),
     333            0 :                 }),
     334            0 :             }),
     335            0 :         };
     336            0 : 
     337            0 :         match {
     338            0 :             tokio::select! {
     339            0 :                 r = broker_client.subscribe_by_filter(request) => { r }
     340            0 :                 _ = cancel.cancelled() => { return Err(Cancelled); }
     341              :             }
     342              :         } {
     343            0 :             Ok(resp) => {
     344            0 :                 return Ok(resp.into_inner());
     345              :             }
     346            0 :             Err(e) => {
     347            0 :                 // Safekeeper nodes can stop pushing timeline updates to the broker, when no new writes happen and
     348            0 :                 // entire WAL is streamed. Keep this noticeable with logging, but do not warn/error.
     349            0 :                 info!(
     350            0 :                     "Attempt #{attempt}, failed to subscribe for timeline {id} updates in broker: {e:#}"
     351              :                 );
     352            0 :                 continue;
     353              :             }
     354              :         }
     355              :     }
     356            0 : }
     357              : 
     358              : const WALCONNECTION_RETRY_MIN_BACKOFF_SECONDS: f64 = 0.1;
     359              : const WALCONNECTION_RETRY_MAX_BACKOFF_SECONDS: f64 = 15.0;
     360              : const WALCONNECTION_RETRY_BACKOFF_MULTIPLIER: f64 = 1.5;
     361              : 
     362              : /// All data that's needed to run endless broker loop and keep the WAL streaming connection alive, if possible.
     363              : pub(super) struct ConnectionManagerState {
     364              :     id: TenantTimelineId,
     365              :     /// Use pageserver data about the timeline to filter out some of the safekeepers.
     366              :     timeline: Arc<Timeline>,
     367              :     /// Child token of [`super::WalReceiver::cancel`], inherited to all tasks we spawn.
     368              :     cancel: CancellationToken,
     369              :     conf: WalReceiverConf,
     370              :     /// Current connection to safekeeper for WAL streaming.
     371              :     wal_connection: Option<WalConnection>,
     372              :     /// Info about retries and unsuccessful attempts to connect to safekeepers.
     373              :     wal_connection_retries: HashMap<NodeId, RetryInfo>,
     374              :     /// Data about all timelines, available for connection, fetched from storage broker, grouped by their corresponding safekeeper node id.
     375              :     wal_stream_candidates: HashMap<NodeId, BrokerSkTimeline>,
     376              : }
     377              : 
     378              : /// An information about connection manager's current connection and connection candidates.
     379              : #[derive(Debug, Clone)]
     380              : pub struct ConnectionManagerStatus {
     381              :     existing_connection: Option<WalConnectionStatus>,
     382              :     wal_stream_candidates: HashMap<NodeId, BrokerSkTimeline>,
     383              : }
     384              : 
     385              : impl ConnectionManagerStatus {
     386              :     /// Generates a string, describing current connection status in a form, suitable for logging.
     387            0 :     pub fn to_human_readable_string(&self) -> String {
     388            0 :         let mut resulting_string = String::new();
     389            0 :         match &self.existing_connection {
     390            0 :             Some(connection) => {
     391            0 :                 if connection.has_processed_wal {
     392            0 :                     resulting_string.push_str(&format!(
     393            0 :                         " (update {}): streaming WAL from node {}, ",
     394            0 :                         connection.latest_wal_update.format("%Y-%m-%d %H:%M:%S"),
     395            0 :                         connection.node,
     396            0 :                     ));
     397            0 : 
     398            0 :                     match (connection.streaming_lsn, connection.commit_lsn) {
     399            0 :                         (None, None) => resulting_string.push_str("no streaming data"),
     400            0 :                         (None, Some(commit_lsn)) => {
     401            0 :                             resulting_string.push_str(&format!("commit Lsn: {commit_lsn}"))
     402              :                         }
     403            0 :                         (Some(streaming_lsn), None) => {
     404            0 :                             resulting_string.push_str(&format!("streaming Lsn: {streaming_lsn}"))
     405              :                         }
     406            0 :                         (Some(streaming_lsn), Some(commit_lsn)) => resulting_string.push_str(
     407            0 :                             &format!("commit|streaming Lsn: {commit_lsn}|{streaming_lsn}"),
     408            0 :                         ),
     409              :                     }
     410            0 :                 } else if connection.is_connected {
     411            0 :                     resulting_string.push_str(&format!(
     412            0 :                         " (update {}): connecting to node {}",
     413            0 :                         connection
     414            0 :                             .latest_connection_update
     415            0 :                             .format("%Y-%m-%d %H:%M:%S"),
     416            0 :                         connection.node,
     417            0 :                     ));
     418            0 :                 } else {
     419            0 :                     resulting_string.push_str(&format!(
     420            0 :                         " (update {}): initializing node {} connection",
     421            0 :                         connection
     422            0 :                             .latest_connection_update
     423            0 :                             .format("%Y-%m-%d %H:%M:%S"),
     424            0 :                         connection.node,
     425            0 :                     ));
     426            0 :                 }
     427              :             }
     428            0 :             None => resulting_string.push_str(": disconnected"),
     429              :         }
     430              : 
     431            0 :         resulting_string.push_str(", safekeeper candidates (id|update_time|commit_lsn): [");
     432            0 :         let mut candidates = self.wal_stream_candidates.iter().peekable();
     433            0 :         while let Some((node_id, candidate_info)) = candidates.next() {
     434            0 :             resulting_string.push_str(&format!(
     435            0 :                 "({}|{}|{})",
     436            0 :                 node_id,
     437            0 :                 candidate_info.latest_update.format("%H:%M:%S"),
     438            0 :                 Lsn(candidate_info.timeline.commit_lsn)
     439            0 :             ));
     440            0 :             if candidates.peek().is_some() {
     441            0 :                 resulting_string.push_str(", ");
     442            0 :             }
     443              :         }
     444            0 :         resulting_string.push(']');
     445            0 : 
     446            0 :         resulting_string
     447            0 :     }
     448              : }
     449              : 
     450              : /// Current connection data.
     451              : #[derive(Debug)]
     452              : struct WalConnection {
     453              :     /// Time when the connection was initiated.
     454              :     started_at: NaiveDateTime,
     455              :     /// Current safekeeper pageserver is connected to for WAL streaming.
     456              :     sk_id: NodeId,
     457              :     /// Availability zone of the safekeeper.
     458              :     availability_zone: Option<String>,
     459              :     /// Status of the connection.
     460              :     status: WalConnectionStatus,
     461              :     /// WAL streaming task handle.
     462              :     connection_task: TaskHandle<WalConnectionStatus>,
     463              :     /// Have we discovered that other safekeeper has more recent WAL than we do?
     464              :     discovered_new_wal: Option<NewCommittedWAL>,
     465              : }
     466              : 
     467              : /// Notion of a new committed WAL, which exists on other safekeeper.
     468              : #[derive(Debug, Clone, Copy)]
     469              : struct NewCommittedWAL {
     470              :     /// LSN of the new committed WAL.
     471              :     lsn: Lsn,
     472              :     /// When we discovered that the new committed WAL exists on other safekeeper.
     473              :     discovered_at: NaiveDateTime,
     474              : }
     475              : 
     476              : #[derive(Debug, Clone, Copy)]
     477              : struct RetryInfo {
     478              :     next_retry_at: Option<NaiveDateTime>,
     479              :     retry_duration_seconds: f64,
     480              : }
     481              : 
     482              : /// Data about the timeline to connect to, received from the broker.
     483              : #[derive(Debug, Clone)]
     484              : struct BrokerSkTimeline {
     485              :     timeline: SafekeeperDiscoveryResponse,
     486              :     /// Time at which the data was fetched from the broker last time, to track the stale data.
     487              :     latest_update: NaiveDateTime,
     488              : }
     489              : 
     490              : impl ConnectionManagerState {
     491            0 :     pub(super) fn new(
     492            0 :         timeline: Arc<Timeline>,
     493            0 :         conf: WalReceiverConf,
     494            0 :         cancel: CancellationToken,
     495            0 :     ) -> Self {
     496            0 :         let id = TenantTimelineId {
     497            0 :             tenant_id: timeline.tenant_shard_id.tenant_id,
     498            0 :             timeline_id: timeline.timeline_id,
     499            0 :         };
     500            0 :         Self {
     501            0 :             id,
     502            0 :             timeline,
     503            0 :             cancel,
     504            0 :             conf,
     505            0 :             wal_connection: None,
     506            0 :             wal_stream_candidates: HashMap::new(),
     507            0 :             wal_connection_retries: HashMap::new(),
     508            0 :         }
     509            0 :     }
     510              : 
     511           20 :     fn spawn<Fut>(
     512           20 :         &self,
     513           20 :         task: impl FnOnce(
     514           20 :             tokio::sync::watch::Sender<TaskStateUpdate<WalConnectionStatus>>,
     515           20 :             CancellationToken,
     516           20 :         ) -> Fut
     517           20 :         + Send
     518           20 :         + 'static,
     519           20 :     ) -> TaskHandle<WalConnectionStatus>
     520           20 :     where
     521           20 :         Fut: std::future::Future<Output = anyhow::Result<()>> + Send,
     522           20 :     {
     523           20 :         // TODO: get rid of TaskHandle
     524           20 :         super::TaskHandle::spawn(&self.cancel, task)
     525           20 :     }
     526              : 
     527              :     /// Shuts down the current connection (if any) and immediately starts another one with the given connection string.
     528            0 :     async fn change_connection(&mut self, new_sk: NewWalConnectionCandidate, ctx: &RequestContext) {
     529            0 :         WALRECEIVER_SWITCHES
     530            0 :             .with_label_values(&[new_sk.reason.name()])
     531            0 :             .inc();
     532            0 : 
     533            0 :         self.drop_old_connection(true).await;
     534              : 
     535            0 :         let node_id = new_sk.safekeeper_id;
     536            0 :         let connect_timeout = self.conf.wal_connect_timeout;
     537            0 :         let ingest_batch_size = self.conf.ingest_batch_size;
     538            0 :         let protocol = self.conf.protocol;
     539            0 :         let validate_wal_contiguity = self.conf.validate_wal_contiguity;
     540            0 :         let timeline = Arc::clone(&self.timeline);
     541            0 :         let ctx = ctx.detached_child(
     542            0 :             TaskKind::WalReceiverConnectionHandler,
     543            0 :             DownloadBehavior::Download,
     544            0 :         );
     545              : 
     546            0 :         let span = info_span!("connection", %node_id);
     547            0 :         let connection_handle = self.spawn(move |events_sender, cancellation| {
     548            0 :             async move {
     549            0 :                 debug_assert_current_span_has_tenant_and_timeline_id();
     550              : 
     551            0 :                 let res = super::walreceiver_connection::handle_walreceiver_connection(
     552            0 :                     timeline,
     553            0 :                     protocol,
     554            0 :                     new_sk.wal_source_connconf,
     555            0 :                     events_sender,
     556            0 :                     cancellation.clone(),
     557            0 :                     connect_timeout,
     558            0 :                     ctx,
     559            0 :                     node_id,
     560            0 :                     ingest_batch_size,
     561            0 :                     validate_wal_contiguity,
     562            0 :                 )
     563            0 :                 .await;
     564              : 
     565            0 :                 match res {
     566            0 :                     Ok(()) => Ok(()),
     567            0 :                     Err(e) => {
     568            0 :                         match e {
     569            0 :                             WalReceiverError::SuccessfulCompletion(msg) => {
     570            0 :                                 info!("walreceiver connection handling ended with success: {msg}");
     571            0 :                                 Ok(())
     572              :                             }
     573            0 :                             WalReceiverError::ExpectedSafekeeperError(e) => {
     574            0 :                                 info!("walreceiver connection handling ended: {e}");
     575            0 :                                 Ok(())
     576              :                             }
     577              :                             WalReceiverError::ClosedGate => {
     578            0 :                                 info!(
     579            0 :                                     "walreceiver connection handling ended because of closed gate"
     580              :                                 );
     581            0 :                                 Ok(())
     582              :                             }
     583            0 :                             WalReceiverError::Other(e) => {
     584            0 :                                 // give out an error to have task_mgr give it a really verbose logging
     585            0 :                                 if cancellation.is_cancelled() {
     586              :                                     // Ideally we would learn about this via some path other than Other, but
     587              :                                     // that requires refactoring all the intermediate layers of ingest code
     588              :                                     // that only emit anyhow::Error
     589            0 :                                     Ok(())
     590              :                                 } else {
     591            0 :                                     Err(e).context("walreceiver connection handling failure")
     592              :                                 }
     593              :                             }
     594              :                         }
     595              :                     }
     596              :                 }
     597            0 :             }
     598            0 :             .instrument(span)
     599            0 :         });
     600            0 : 
     601            0 :         let now = Utc::now().naive_utc();
     602            0 :         self.wal_connection = Some(WalConnection {
     603            0 :             started_at: now,
     604            0 :             sk_id: new_sk.safekeeper_id,
     605            0 :             availability_zone: new_sk.availability_zone,
     606            0 :             status: WalConnectionStatus {
     607            0 :                 is_connected: false,
     608            0 :                 has_processed_wal: false,
     609            0 :                 latest_connection_update: now,
     610            0 :                 latest_wal_update: now,
     611            0 :                 streaming_lsn: None,
     612            0 :                 commit_lsn: None,
     613            0 :                 node: node_id,
     614            0 :             },
     615            0 :             connection_task: connection_handle,
     616            0 :             discovered_new_wal: None,
     617            0 :         });
     618            0 :     }
     619              : 
     620              :     /// Drops the current connection (if any) and updates retry timeout for the next
     621              :     /// connection attempt to the same safekeeper.
     622              :     ///
     623              :     /// # Cancel-Safety
     624              :     ///
     625              :     /// Not cancellation-safe.
     626            0 :     async fn drop_old_connection(&mut self, needs_shutdown: bool) {
     627            0 :         let wal_connection = match self.wal_connection.take() {
     628            0 :             Some(wal_connection) => wal_connection,
     629            0 :             None => return,
     630              :         };
     631              : 
     632            0 :         if needs_shutdown {
     633            0 :             wal_connection
     634            0 :                 .connection_task
     635            0 :                 .shutdown()
     636            0 :                 // This here is why this function isn't cancellation-safe.
     637            0 :                 // If we got cancelled here, then self.wal_connection is already None and we lose track of the task.
     638            0 :                 // Even if our caller diligently calls Self::shutdown(), it will find a self.wal_connection=None
     639            0 :                 // and thus be ineffective.
     640            0 :                 .await;
     641            0 :         }
     642              : 
     643            0 :         let retry = self
     644            0 :             .wal_connection_retries
     645            0 :             .entry(wal_connection.sk_id)
     646            0 :             .or_insert(RetryInfo {
     647            0 :                 next_retry_at: None,
     648            0 :                 retry_duration_seconds: WALCONNECTION_RETRY_MIN_BACKOFF_SECONDS,
     649            0 :             });
     650            0 : 
     651            0 :         let now = Utc::now().naive_utc();
     652            0 : 
     653            0 :         // Schedule the next retry attempt. We want to have exponential backoff for connection attempts,
     654            0 :         // and we add backoff to the time when we started the connection attempt. If the connection
     655            0 :         // was active for a long time, then next_retry_at will be in the past.
     656            0 :         retry.next_retry_at =
     657            0 :             wal_connection
     658            0 :                 .started_at
     659            0 :                 .checked_add_signed(chrono::Duration::milliseconds(
     660            0 :                     (retry.retry_duration_seconds * 1000.0) as i64,
     661            0 :                 ));
     662              : 
     663            0 :         if let Some(next) = &retry.next_retry_at {
     664            0 :             if next > &now {
     665            0 :                 info!(
     666            0 :                     "Next connection retry to {:?} is at {}",
     667              :                     wal_connection.sk_id, next
     668              :                 );
     669            0 :             }
     670            0 :         }
     671              : 
     672            0 :         let next_retry_duration =
     673            0 :             retry.retry_duration_seconds * WALCONNECTION_RETRY_BACKOFF_MULTIPLIER;
     674            0 :         // Clamp the next retry duration to the maximum allowed.
     675            0 :         let next_retry_duration = next_retry_duration.min(WALCONNECTION_RETRY_MAX_BACKOFF_SECONDS);
     676            0 :         // Clamp the next retry duration to the minimum allowed.
     677            0 :         let next_retry_duration = next_retry_duration.max(WALCONNECTION_RETRY_MIN_BACKOFF_SECONDS);
     678            0 : 
     679            0 :         retry.retry_duration_seconds = next_retry_duration;
     680            0 :     }
     681              : 
     682              :     /// Returns time needed to wait to have a new candidate for WAL streaming.
     683            0 :     fn time_until_next_retry(&self) -> Option<Duration> {
     684            0 :         let now = Utc::now().naive_utc();
     685              : 
     686            0 :         let next_retry_at = self
     687            0 :             .wal_connection_retries
     688            0 :             .values()
     689            0 :             .filter_map(|retry| retry.next_retry_at)
     690            0 :             .filter(|next_retry_at| next_retry_at > &now)
     691            0 :             .min()?;
     692              : 
     693            0 :         (next_retry_at - now).to_std().ok()
     694            0 :     }
     695              : 
     696              :     /// Adds another broker timeline into the state, if its more recent than the one already added there for the same key.
     697            0 :     fn register_timeline_update(&mut self, typed_msg: TypedMessage) {
     698            0 :         let mut is_discovery = false;
     699            0 :         let timeline_update = match typed_msg.r#type() {
     700              :             MessageType::SafekeeperTimelineInfo => {
     701            0 :                 let info = match typed_msg.safekeeper_timeline_info {
     702            0 :                     Some(info) => info,
     703              :                     None => {
     704            0 :                         warn!("bad proto message from broker: no safekeeper_timeline_info");
     705            0 :                         return;
     706              :                     }
     707              :                 };
     708            0 :                 SafekeeperDiscoveryResponse {
     709            0 :                     safekeeper_id: info.safekeeper_id,
     710            0 :                     tenant_timeline_id: info.tenant_timeline_id,
     711            0 :                     commit_lsn: info.commit_lsn,
     712            0 :                     safekeeper_connstr: info.safekeeper_connstr,
     713            0 :                     availability_zone: info.availability_zone,
     714            0 :                     standby_horizon: info.standby_horizon,
     715            0 :                 }
     716              :             }
     717              :             MessageType::SafekeeperDiscoveryResponse => {
     718            0 :                 is_discovery = true;
     719            0 :                 match typed_msg.safekeeper_discovery_response {
     720            0 :                     Some(response) => response,
     721              :                     None => {
     722            0 :                         warn!("bad proto message from broker: no safekeeper_discovery_response");
     723            0 :                         return;
     724              :                     }
     725              :                 }
     726              :             }
     727              :             _ => {
     728              :                 // unexpected message
     729            0 :                 return;
     730              :             }
     731              :         };
     732              : 
     733            0 :         WALRECEIVER_BROKER_UPDATES.inc();
     734            0 : 
     735            0 :         trace!(
     736            0 :             "safekeeper info update: standby_horizon(cutoff)={}",
     737              :             timeline_update.standby_horizon
     738              :         );
     739            0 :         if timeline_update.standby_horizon != 0 {
     740            0 :             // ignore reports from safekeepers not connected to replicas
     741            0 :             self.timeline
     742            0 :                 .standby_horizon
     743            0 :                 .store(Lsn(timeline_update.standby_horizon));
     744            0 :             self.timeline
     745            0 :                 .metrics
     746            0 :                 .standby_horizon_gauge
     747            0 :                 .set(timeline_update.standby_horizon as i64);
     748            0 :         }
     749              : 
     750            0 :         let new_safekeeper_id = NodeId(timeline_update.safekeeper_id);
     751            0 :         let old_entry = self.wal_stream_candidates.insert(
     752            0 :             new_safekeeper_id,
     753            0 :             BrokerSkTimeline {
     754            0 :                 timeline: timeline_update,
     755            0 :                 latest_update: Utc::now().naive_utc(),
     756            0 :             },
     757            0 :         );
     758            0 : 
     759            0 :         if old_entry.is_none() {
     760            0 :             info!(
     761              :                 ?is_discovery,
     762              :                 %new_safekeeper_id,
     763            0 :                 "New SK node was added",
     764              :             );
     765            0 :             WALRECEIVER_CANDIDATES_ADDED.inc();
     766            0 :         }
     767            0 :     }
     768              : 
     769              :     /// Cleans up stale broker records and checks the rest for the new connection candidate.
     770              :     /// Returns a new candidate, if the current state is absent or somewhat lagging, `None` otherwise.
     771              :     /// The current rules for approving new candidates:
     772              :     /// * pick a candidate different from the connected safekeeper with biggest `commit_lsn` and lowest failed connection attemps
     773              :     /// * if there's no such entry, no new candidate found, abort
     774              :     /// * otherwise check if the candidate is much better than the current one
     775              :     ///
     776              :     /// To understand exact rules for determining if the candidate is better than the current one, refer to this function's implementation.
     777              :     /// General rules are following:
     778              :     /// * if connected safekeeper is not present, pick the candidate
     779              :     /// * if we haven't received any updates for some time, pick the candidate
     780              :     /// * if the candidate commit_lsn is much higher than the current one, pick the candidate
     781              :     /// * if the candidate commit_lsn is same, but candidate is located in the same AZ as the pageserver, pick the candidate
     782              :     /// * if connected safekeeper stopped sending us new WAL which is available on other safekeeper, pick the candidate
     783              :     ///
     784              :     /// This way we ensure to keep up with the most up-to-date safekeeper and don't try to jump from one safekeeper to another too frequently.
     785              :     /// Both thresholds are configured per tenant.
     786           36 :     fn next_connection_candidate(&mut self) -> Option<NewWalConnectionCandidate> {
     787           36 :         self.cleanup_old_candidates();
     788           36 : 
     789           36 :         match &self.wal_connection {
     790           20 :             Some(existing_wal_connection) => {
     791           20 :                 let connected_sk_node = existing_wal_connection.sk_id;
     792              : 
     793           20 :                 let (new_sk_id, new_safekeeper_broker_data, new_wal_source_connconf) =
     794           20 :                     self.select_connection_candidate(Some(connected_sk_node))?;
     795           20 :                 let new_availability_zone = new_safekeeper_broker_data.availability_zone.clone();
     796           20 : 
     797           20 :                 let now = Utc::now().naive_utc();
     798           20 :                 if let Ok(latest_interaciton) =
     799           20 :                     (now - existing_wal_connection.status.latest_connection_update).to_std()
     800              :                 {
     801              :                     // Drop connection if we haven't received keepalive message for a while.
     802           20 :                     if latest_interaciton > self.conf.wal_connect_timeout {
     803            4 :                         return Some(NewWalConnectionCandidate {
     804            4 :                             safekeeper_id: new_sk_id,
     805            4 :                             wal_source_connconf: new_wal_source_connconf,
     806            4 :                             availability_zone: new_availability_zone,
     807            4 :                             reason: ReconnectReason::NoKeepAlives {
     808            4 :                                 last_keep_alive: Some(
     809            4 :                                     existing_wal_connection.status.latest_connection_update,
     810            4 :                                 ),
     811            4 :                                 check_time: now,
     812            4 :                                 threshold: self.conf.wal_connect_timeout,
     813            4 :                             },
     814            4 :                         });
     815           16 :                     }
     816            0 :                 }
     817              : 
     818           16 :                 if !existing_wal_connection.status.is_connected {
     819              :                     // We haven't connected yet and we shouldn't switch until connection timeout (condition above).
     820            0 :                     return None;
     821           16 :                 }
     822              : 
     823           16 :                 if let Some(current_commit_lsn) = existing_wal_connection.status.commit_lsn {
     824           16 :                     let new_commit_lsn = Lsn(new_safekeeper_broker_data.commit_lsn);
     825           16 :                     // Check if the new candidate has much more WAL than the current one.
     826           16 :                     match new_commit_lsn.0.checked_sub(current_commit_lsn.0) {
     827           16 :                         Some(new_sk_lsn_advantage) => {
     828           16 :                             if new_sk_lsn_advantage >= self.conf.max_lsn_wal_lag.get() {
     829            4 :                                 return Some(NewWalConnectionCandidate {
     830            4 :                                     safekeeper_id: new_sk_id,
     831            4 :                                     wal_source_connconf: new_wal_source_connconf,
     832            4 :                                     availability_zone: new_availability_zone,
     833            4 :                                     reason: ReconnectReason::LaggingWal {
     834            4 :                                         current_commit_lsn,
     835            4 :                                         new_commit_lsn,
     836            4 :                                         threshold: self.conf.max_lsn_wal_lag,
     837            4 :                                     },
     838            4 :                                 });
     839           12 :                             }
     840           12 :                             // If we have a candidate with the same commit_lsn as the current one, which is in the same AZ as pageserver,
     841           12 :                             // and the current one is not, switch to the new one.
     842           12 :                             if self.conf.availability_zone.is_some()
     843            4 :                                 && existing_wal_connection.availability_zone
     844            4 :                                     != self.conf.availability_zone
     845            4 :                                 && self.conf.availability_zone == new_availability_zone
     846              :                             {
     847            4 :                                 return Some(NewWalConnectionCandidate {
     848            4 :                                     safekeeper_id: new_sk_id,
     849            4 :                                     availability_zone: new_availability_zone,
     850            4 :                                     wal_source_connconf: new_wal_source_connconf,
     851            4 :                                     reason: ReconnectReason::SwitchAvailabilityZone,
     852            4 :                                 });
     853            8 :                             }
     854              :                         }
     855            0 :                         None => debug!(
     856            0 :                             "Best SK candidate has its commit_lsn behind connected SK's commit_lsn"
     857              :                         ),
     858              :                     }
     859            0 :                 }
     860              : 
     861            8 :                 let current_lsn = match existing_wal_connection.status.streaming_lsn {
     862            8 :                     Some(lsn) => lsn,
     863            0 :                     None => self.timeline.get_last_record_lsn(),
     864              :                 };
     865            8 :                 let current_commit_lsn = existing_wal_connection
     866            8 :                     .status
     867            8 :                     .commit_lsn
     868            8 :                     .unwrap_or(current_lsn);
     869            8 :                 let candidate_commit_lsn = Lsn(new_safekeeper_broker_data.commit_lsn);
     870            8 : 
     871            8 :                 // Keep discovered_new_wal only if connected safekeeper has not caught up yet.
     872            8 :                 let mut discovered_new_wal = existing_wal_connection
     873            8 :                     .discovered_new_wal
     874            8 :                     .filter(|new_wal| new_wal.lsn > current_commit_lsn);
     875            8 : 
     876            8 :                 if discovered_new_wal.is_none() {
     877              :                     // Check if the new candidate has more WAL than the current one.
     878              :                     // If the new candidate has more WAL than the current one, we consider switching to the new candidate.
     879            4 :                     discovered_new_wal = if candidate_commit_lsn > current_commit_lsn {
     880            4 :                         trace!(
     881            0 :                             "New candidate has commit_lsn {}, higher than current_commit_lsn {}",
     882              :                             candidate_commit_lsn, current_commit_lsn
     883              :                         );
     884            4 :                         Some(NewCommittedWAL {
     885            4 :                             lsn: candidate_commit_lsn,
     886            4 :                             discovered_at: Utc::now().naive_utc(),
     887            4 :                         })
     888              :                     } else {
     889            0 :                         None
     890              :                     };
     891            4 :                 }
     892              : 
     893            8 :                 let waiting_for_new_lsn_since = if current_lsn < current_commit_lsn {
     894              :                     // Connected safekeeper has more WAL, but we haven't received updates for some time.
     895            0 :                     trace!(
     896            0 :                         "Connected safekeeper has more WAL, but we haven't received updates for {:?}. current_lsn: {}, current_commit_lsn: {}",
     897            0 :                         (now - existing_wal_connection.status.latest_wal_update).to_std(),
     898              :                         current_lsn,
     899              :                         current_commit_lsn
     900              :                     );
     901            0 :                     Some(existing_wal_connection.status.latest_wal_update)
     902              :                 } else {
     903            8 :                     discovered_new_wal.as_ref().map(|new_wal| {
     904            8 :                         // We know that new WAL is available on other safekeeper, but connected safekeeper don't have it.
     905            8 :                         new_wal
     906            8 :                             .discovered_at
     907            8 :                             .max(existing_wal_connection.status.latest_wal_update)
     908            8 :                     })
     909              :                 };
     910              : 
     911              :                 // If we haven't received any WAL updates for a while and candidate has more WAL, switch to it.
     912            8 :                 if let Some(waiting_for_new_lsn_since) = waiting_for_new_lsn_since {
     913            8 :                     if let Ok(waiting_for_new_wal) = (now - waiting_for_new_lsn_since).to_std() {
     914            4 :                         if candidate_commit_lsn > current_commit_lsn
     915            4 :                             && waiting_for_new_wal > self.conf.lagging_wal_timeout
     916              :                         {
     917            4 :                             return Some(NewWalConnectionCandidate {
     918            4 :                                 safekeeper_id: new_sk_id,
     919            4 :                                 wal_source_connconf: new_wal_source_connconf,
     920            4 :                                 availability_zone: new_availability_zone,
     921            4 :                                 reason: ReconnectReason::NoWalTimeout {
     922            4 :                                     current_lsn,
     923            4 :                                     current_commit_lsn,
     924            4 :                                     candidate_commit_lsn,
     925            4 :                                     last_wal_interaction: Some(
     926            4 :                                         existing_wal_connection.status.latest_wal_update,
     927            4 :                                     ),
     928            4 :                                     check_time: now,
     929            4 :                                     threshold: self.conf.lagging_wal_timeout,
     930            4 :                                 },
     931            4 :                             });
     932            0 :                         }
     933            4 :                     }
     934            0 :                 }
     935              : 
     936            4 :                 self.wal_connection.as_mut().unwrap().discovered_new_wal = discovered_new_wal;
     937              :             }
     938              :             None => {
     939           12 :                 let (new_sk_id, new_safekeeper_broker_data, new_wal_source_connconf) =
     940           16 :                     self.select_connection_candidate(None)?;
     941           12 :                 return Some(NewWalConnectionCandidate {
     942           12 :                     safekeeper_id: new_sk_id,
     943           12 :                     availability_zone: new_safekeeper_broker_data.availability_zone.clone(),
     944           12 :                     wal_source_connconf: new_wal_source_connconf,
     945           12 :                     reason: ReconnectReason::NoExistingConnection,
     946           12 :                 });
     947              :             }
     948              :         }
     949              : 
     950            4 :         None
     951           36 :     }
     952              : 
     953              :     /// Selects the best possible candidate, based on the data collected from the broker updates about the safekeepers.
     954              :     /// Optionally, omits the given node, to support gracefully switching from a healthy safekeeper to another.
     955              :     ///
     956              :     /// The candidate that is chosen:
     957              :     /// * has no pending retry cooldown
     958              :     /// * has greatest commit_lsn among the ones that are left
     959           36 :     fn select_connection_candidate(
     960           36 :         &self,
     961           36 :         node_to_omit: Option<NodeId>,
     962           36 :     ) -> Option<(NodeId, &SafekeeperDiscoveryResponse, PgConnectionConfig)> {
     963           36 :         self.applicable_connection_candidates()
     964           52 :             .filter(|&(sk_id, _, _)| Some(sk_id) != node_to_omit)
     965           40 :             .max_by_key(|(_, info, _)| info.commit_lsn)
     966           36 :     }
     967              : 
     968              :     /// Returns a list of safekeepers that have valid info and ready for connection.
     969              :     /// Some safekeepers are filtered by the retry cooldown.
     970           36 :     fn applicable_connection_candidates(
     971           36 :         &self,
     972           36 :     ) -> impl Iterator<Item = (NodeId, &SafekeeperDiscoveryResponse, PgConnectionConfig)> {
     973           36 :         let now = Utc::now().naive_utc();
     974           36 : 
     975           36 :         self.wal_stream_candidates
     976           36 :             .iter()
     977           72 :             .filter(|(_, info)| Lsn(info.timeline.commit_lsn) != Lsn::INVALID)
     978           64 :             .filter(move |(sk_id, _)| {
     979           64 :                 let next_retry_at = self
     980           64 :                     .wal_connection_retries
     981           64 :                     .get(sk_id)
     982           64 :                     .and_then(|retry_info| {
     983            4 :                         retry_info.next_retry_at
     984           64 :                     });
     985           64 : 
     986           64 :                 next_retry_at.is_none() || next_retry_at.unwrap() <= now
     987           64 :             }).filter_map(|(sk_id, broker_info)| {
     988           60 :                 let info = &broker_info.timeline;
     989           60 :                 if info.safekeeper_connstr.is_empty() {
     990            8 :                     return None; // no connection string, ignore sk
     991           52 :                 }
     992              : 
     993           52 :                 let (shard_number, shard_count, shard_stripe_size) = match self.conf.protocol {
     994              :                     PostgresClientProtocol::Vanilla => {
     995           52 :                         (None, None, None)
     996              :                     },
     997              :                     PostgresClientProtocol::Interpreted { .. } => {
     998            0 :                         let shard_identity = self.timeline.get_shard_identity();
     999            0 :                         (
    1000            0 :                             Some(shard_identity.number.0),
    1001            0 :                             Some(shard_identity.count.0),
    1002            0 :                             Some(shard_identity.stripe_size.0),
    1003            0 :                         )
    1004              :                     }
    1005              :                 };
    1006              : 
    1007           52 :                 let connection_conf_args = ConnectionConfigArgs {
    1008           52 :                     protocol: self.conf.protocol,
    1009           52 :                     ttid: self.id,
    1010           52 :                     shard_number,
    1011           52 :                     shard_count,
    1012           52 :                     shard_stripe_size,
    1013           52 :                     listen_pg_addr_str: info.safekeeper_connstr.as_ref(),
    1014           52 :                     auth_token: self.conf.auth_token.as_ref().map(|t| t.as_str()),
    1015           52 :                     availability_zone: self.conf.availability_zone.as_deref()
    1016           52 :                 };
    1017           52 : 
    1018           52 :                 match wal_stream_connection_config(connection_conf_args) {
    1019           52 :                     Ok(connstr) => Some((*sk_id, info, connstr)),
    1020            0 :                     Err(e) => {
    1021            0 :                         error!("Failed to create wal receiver connection string from broker data of safekeeper node {}: {e:#}", sk_id);
    1022            0 :                         None
    1023              :                     }
    1024              :                 }
    1025           60 :             })
    1026           36 :     }
    1027              : 
    1028              :     /// Remove candidates which haven't sent broker updates for a while.
    1029           36 :     fn cleanup_old_candidates(&mut self) {
    1030           36 :         let mut node_ids_to_remove = Vec::with_capacity(self.wal_stream_candidates.len());
    1031           36 :         let lagging_wal_timeout = self.conf.lagging_wal_timeout;
    1032           36 : 
    1033           76 :         self.wal_stream_candidates.retain(|node_id, broker_info| {
    1034           76 :             if let Ok(time_since_latest_broker_update) =
    1035           76 :                 (Utc::now().naive_utc() - broker_info.latest_update).to_std()
    1036              :             {
    1037           76 :                 let should_retain = time_since_latest_broker_update < lagging_wal_timeout;
    1038           76 :                 if !should_retain {
    1039            4 :                     node_ids_to_remove.push(*node_id);
    1040           72 :                 }
    1041           76 :                 should_retain
    1042              :             } else {
    1043            0 :                 true
    1044              :             }
    1045           76 :         });
    1046           36 : 
    1047           36 :         if !node_ids_to_remove.is_empty() {
    1048            8 :             for node_id in node_ids_to_remove {
    1049            4 :                 info!(
    1050            0 :                     "Safekeeper node {node_id} did not send events for over {lagging_wal_timeout:?}, not retrying the connections"
    1051              :                 );
    1052            4 :                 self.wal_connection_retries.remove(&node_id);
    1053            4 :                 WALRECEIVER_CANDIDATES_REMOVED.inc();
    1054              :             }
    1055           32 :         }
    1056           36 :     }
    1057              : 
    1058              :     /// # Cancel-Safety
    1059              :     ///
    1060              :     /// Not cancellation-safe.
    1061            0 :     pub(super) async fn shutdown(mut self) {
    1062            0 :         if let Some(wal_connection) = self.wal_connection.take() {
    1063            0 :             wal_connection.connection_task.shutdown().await;
    1064            0 :         }
    1065            0 :     }
    1066              : 
    1067            0 :     fn manager_status(&self) -> ConnectionManagerStatus {
    1068            0 :         ConnectionManagerStatus {
    1069            0 :             existing_connection: self.wal_connection.as_ref().map(|conn| conn.status),
    1070            0 :             wal_stream_candidates: self.wal_stream_candidates.clone(),
    1071            0 :         }
    1072            0 :     }
    1073              : }
    1074              : 
    1075              : #[derive(Debug)]
    1076              : struct NewWalConnectionCandidate {
    1077              :     safekeeper_id: NodeId,
    1078              :     wal_source_connconf: PgConnectionConfig,
    1079              :     availability_zone: Option<String>,
    1080              :     reason: ReconnectReason,
    1081              : }
    1082              : 
    1083              : /// Stores the reason why WAL connection was switched, for furter debugging purposes.
    1084              : #[derive(Debug, PartialEq, Eq)]
    1085              : enum ReconnectReason {
    1086              :     NoExistingConnection,
    1087              :     LaggingWal {
    1088              :         current_commit_lsn: Lsn,
    1089              :         new_commit_lsn: Lsn,
    1090              :         threshold: NonZeroU64,
    1091              :     },
    1092              :     SwitchAvailabilityZone,
    1093              :     NoWalTimeout {
    1094              :         current_lsn: Lsn,
    1095              :         current_commit_lsn: Lsn,
    1096              :         candidate_commit_lsn: Lsn,
    1097              :         last_wal_interaction: Option<NaiveDateTime>,
    1098              :         check_time: NaiveDateTime,
    1099              :         threshold: Duration,
    1100              :     },
    1101              :     NoKeepAlives {
    1102              :         last_keep_alive: Option<NaiveDateTime>,
    1103              :         check_time: NaiveDateTime,
    1104              :         threshold: Duration,
    1105              :     },
    1106              : }
    1107              : 
    1108              : impl ReconnectReason {
    1109            0 :     fn name(&self) -> &str {
    1110            0 :         match self {
    1111            0 :             ReconnectReason::NoExistingConnection => "NoExistingConnection",
    1112            0 :             ReconnectReason::LaggingWal { .. } => "LaggingWal",
    1113            0 :             ReconnectReason::SwitchAvailabilityZone => "SwitchAvailabilityZone",
    1114            0 :             ReconnectReason::NoWalTimeout { .. } => "NoWalTimeout",
    1115            0 :             ReconnectReason::NoKeepAlives { .. } => "NoKeepAlives",
    1116              :         }
    1117            0 :     }
    1118              : }
    1119              : 
    1120              : #[cfg(test)]
    1121              : mod tests {
    1122              :     use pageserver_api::config::defaults::DEFAULT_WAL_RECEIVER_PROTOCOL;
    1123              :     use url::Host;
    1124              : 
    1125              :     use super::*;
    1126              :     use crate::tenant::harness::{TIMELINE_ID, TenantHarness};
    1127              : 
    1128           76 :     fn dummy_broker_sk_timeline(
    1129           76 :         commit_lsn: u64,
    1130           76 :         safekeeper_connstr: &str,
    1131           76 :         latest_update: NaiveDateTime,
    1132           76 :     ) -> BrokerSkTimeline {
    1133           76 :         BrokerSkTimeline {
    1134           76 :             timeline: SafekeeperDiscoveryResponse {
    1135           76 :                 safekeeper_id: 0,
    1136           76 :                 tenant_timeline_id: None,
    1137           76 :                 commit_lsn,
    1138           76 :                 safekeeper_connstr: safekeeper_connstr.to_owned(),
    1139           76 :                 availability_zone: None,
    1140           76 :                 standby_horizon: 0,
    1141           76 :             },
    1142           76 :             latest_update,
    1143           76 :         }
    1144           76 :     }
    1145              : 
    1146              :     #[tokio::test]
    1147            4 :     async fn no_connection_no_candidate() -> anyhow::Result<()> {
    1148            4 :         let harness = TenantHarness::create("no_connection_no_candidate").await?;
    1149            4 :         let mut state = dummy_state(&harness).await;
    1150            4 :         let now = Utc::now().naive_utc();
    1151            4 : 
    1152            4 :         let lagging_wal_timeout = chrono::Duration::from_std(state.conf.lagging_wal_timeout)?;
    1153            4 :         let delay_over_threshold = now - lagging_wal_timeout - lagging_wal_timeout;
    1154            4 : 
    1155            4 :         state.wal_connection = None;
    1156            4 :         state.wal_stream_candidates = HashMap::from([
    1157            4 :             (NodeId(0), dummy_broker_sk_timeline(1, "", now)),
    1158            4 :             (NodeId(1), dummy_broker_sk_timeline(0, "no_commit_lsn", now)),
    1159            4 :             (NodeId(2), dummy_broker_sk_timeline(0, "no_commit_lsn", now)),
    1160            4 :             (
    1161            4 :                 NodeId(3),
    1162            4 :                 dummy_broker_sk_timeline(
    1163            4 :                     1 + state.conf.max_lsn_wal_lag.get(),
    1164            4 :                     "delay_over_threshold",
    1165            4 :                     delay_over_threshold,
    1166            4 :                 ),
    1167            4 :             ),
    1168            4 :         ]);
    1169            4 : 
    1170            4 :         let no_candidate = state.next_connection_candidate();
    1171            4 :         assert!(
    1172            4 :             no_candidate.is_none(),
    1173            4 :             "Expected no candidate selected out of non full data options, but got {no_candidate:?}"
    1174            4 :         );
    1175            4 : 
    1176            4 :         Ok(())
    1177            4 :     }
    1178              : 
    1179              :     #[tokio::test]
    1180            4 :     async fn connection_no_candidate() -> anyhow::Result<()> {
    1181            4 :         let harness = TenantHarness::create("connection_no_candidate").await?;
    1182            4 :         let mut state = dummy_state(&harness).await;
    1183            4 :         let now = Utc::now().naive_utc();
    1184            4 : 
    1185            4 :         let connected_sk_id = NodeId(0);
    1186            4 :         let current_lsn = 100_000;
    1187            4 : 
    1188            4 :         let connection_status = WalConnectionStatus {
    1189            4 :             is_connected: true,
    1190            4 :             has_processed_wal: true,
    1191            4 :             latest_connection_update: now,
    1192            4 :             latest_wal_update: now,
    1193            4 :             commit_lsn: Some(Lsn(current_lsn)),
    1194            4 :             streaming_lsn: Some(Lsn(current_lsn)),
    1195            4 :             node: NodeId(1),
    1196            4 :         };
    1197            4 : 
    1198            4 :         state.conf.max_lsn_wal_lag = NonZeroU64::new(100).unwrap();
    1199            4 :         state.wal_connection = Some(WalConnection {
    1200            4 :             started_at: now,
    1201            4 :             sk_id: connected_sk_id,
    1202            4 :             availability_zone: None,
    1203            4 :             status: connection_status,
    1204            4 :             connection_task: state.spawn(move |sender, _| async move {
    1205            4 :                 sender
    1206            4 :                     .send(TaskStateUpdate::Progress(connection_status))
    1207            4 :                     .ok();
    1208            4 :                 Ok(())
    1209            4 :             }),
    1210            4 :             discovered_new_wal: None,
    1211            4 :         });
    1212            4 :         state.wal_stream_candidates = HashMap::from([
    1213            4 :             (
    1214            4 :                 connected_sk_id,
    1215            4 :                 dummy_broker_sk_timeline(
    1216            4 :                     current_lsn + state.conf.max_lsn_wal_lag.get() * 2,
    1217            4 :                     DUMMY_SAFEKEEPER_HOST,
    1218            4 :                     now,
    1219            4 :                 ),
    1220            4 :             ),
    1221            4 :             (
    1222            4 :                 NodeId(1),
    1223            4 :                 dummy_broker_sk_timeline(current_lsn, "not_advanced_lsn", now),
    1224            4 :             ),
    1225            4 :             (
    1226            4 :                 NodeId(2),
    1227            4 :                 dummy_broker_sk_timeline(
    1228            4 :                     current_lsn + state.conf.max_lsn_wal_lag.get() / 2,
    1229            4 :                     "not_enough_advanced_lsn",
    1230            4 :                     now,
    1231            4 :                 ),
    1232            4 :             ),
    1233            4 :         ]);
    1234            4 : 
    1235            4 :         let no_candidate = state.next_connection_candidate();
    1236            4 :         assert!(
    1237            4 :             no_candidate.is_none(),
    1238            4 :             "Expected no candidate selected out of valid options since candidate Lsn data is ignored and others' was not advanced enough, but got {no_candidate:?}"
    1239            4 :         );
    1240            4 : 
    1241            4 :         Ok(())
    1242            4 :     }
    1243              : 
    1244              :     #[tokio::test]
    1245            4 :     async fn no_connection_candidate() -> anyhow::Result<()> {
    1246            4 :         let harness = TenantHarness::create("no_connection_candidate").await?;
    1247            4 :         let mut state = dummy_state(&harness).await;
    1248            4 :         let now = Utc::now().naive_utc();
    1249            4 : 
    1250            4 :         state.wal_connection = None;
    1251            4 :         state.wal_stream_candidates = HashMap::from([(
    1252            4 :             NodeId(0),
    1253            4 :             dummy_broker_sk_timeline(
    1254            4 :                 1 + state.conf.max_lsn_wal_lag.get(),
    1255            4 :                 DUMMY_SAFEKEEPER_HOST,
    1256            4 :                 now,
    1257            4 :             ),
    1258            4 :         )]);
    1259            4 : 
    1260            4 :         let only_candidate = state
    1261            4 :             .next_connection_candidate()
    1262            4 :             .expect("Expected one candidate selected out of the only data option, but got none");
    1263            4 :         assert_eq!(only_candidate.safekeeper_id, NodeId(0));
    1264            4 :         assert_eq!(
    1265            4 :             only_candidate.reason,
    1266            4 :             ReconnectReason::NoExistingConnection,
    1267            4 :             "Should select new safekeeper due to missing connection, even if there's also a lag in the wal over the threshold"
    1268            4 :         );
    1269            4 :         assert_eq!(
    1270            4 :             only_candidate.wal_source_connconf.host(),
    1271            4 :             &Host::Domain(DUMMY_SAFEKEEPER_HOST.to_owned())
    1272            4 :         );
    1273            4 : 
    1274            4 :         let selected_lsn = 100_000;
    1275            4 :         state.wal_stream_candidates = HashMap::from([
    1276            4 :             (
    1277            4 :                 NodeId(0),
    1278            4 :                 dummy_broker_sk_timeline(selected_lsn - 100, "smaller_commit_lsn", now),
    1279            4 :             ),
    1280            4 :             (
    1281            4 :                 NodeId(1),
    1282            4 :                 dummy_broker_sk_timeline(selected_lsn, DUMMY_SAFEKEEPER_HOST, now),
    1283            4 :             ),
    1284            4 :             (
    1285            4 :                 NodeId(2),
    1286            4 :                 dummy_broker_sk_timeline(selected_lsn + 100, "", now),
    1287            4 :             ),
    1288            4 :         ]);
    1289            4 :         let biggest_wal_candidate = state.next_connection_candidate().expect(
    1290            4 :             "Expected one candidate selected out of multiple valid data options, but got none",
    1291            4 :         );
    1292            4 : 
    1293            4 :         assert_eq!(biggest_wal_candidate.safekeeper_id, NodeId(1));
    1294            4 :         assert_eq!(
    1295            4 :             biggest_wal_candidate.reason,
    1296            4 :             ReconnectReason::NoExistingConnection,
    1297            4 :             "Should select new safekeeper due to missing connection, even if there's also a lag in the wal over the threshold"
    1298            4 :         );
    1299            4 :         assert_eq!(
    1300            4 :             biggest_wal_candidate.wal_source_connconf.host(),
    1301            4 :             &Host::Domain(DUMMY_SAFEKEEPER_HOST.to_owned())
    1302            4 :         );
    1303            4 : 
    1304            4 :         Ok(())
    1305            4 :     }
    1306              : 
    1307              :     #[tokio::test]
    1308            4 :     async fn candidate_with_many_connection_failures() -> anyhow::Result<()> {
    1309            4 :         let harness = TenantHarness::create("candidate_with_many_connection_failures").await?;
    1310            4 :         let mut state = dummy_state(&harness).await;
    1311            4 :         let now = Utc::now().naive_utc();
    1312            4 : 
    1313            4 :         let current_lsn = Lsn(100_000).align();
    1314            4 :         let bigger_lsn = Lsn(current_lsn.0 + 100).align();
    1315            4 : 
    1316            4 :         state.wal_connection = None;
    1317            4 :         state.wal_stream_candidates = HashMap::from([
    1318            4 :             (
    1319            4 :                 NodeId(0),
    1320            4 :                 dummy_broker_sk_timeline(bigger_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1321            4 :             ),
    1322            4 :             (
    1323            4 :                 NodeId(1),
    1324            4 :                 dummy_broker_sk_timeline(current_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1325            4 :             ),
    1326            4 :         ]);
    1327            4 :         state.wal_connection_retries = HashMap::from([(
    1328            4 :             NodeId(0),
    1329            4 :             RetryInfo {
    1330            4 :                 next_retry_at: now.checked_add_signed(chrono::Duration::hours(1)),
    1331            4 :                 retry_duration_seconds: WALCONNECTION_RETRY_MAX_BACKOFF_SECONDS,
    1332            4 :             },
    1333            4 :         )]);
    1334            4 : 
    1335            4 :         let candidate_with_less_errors = state
    1336            4 :             .next_connection_candidate()
    1337            4 :             .expect("Expected one candidate selected, but got none");
    1338            4 :         assert_eq!(
    1339            4 :             candidate_with_less_errors.safekeeper_id,
    1340            4 :             NodeId(1),
    1341            4 :             "Should select the node with no pending retry cooldown"
    1342            4 :         );
    1343            4 : 
    1344            4 :         Ok(())
    1345            4 :     }
    1346              : 
    1347              :     #[tokio::test]
    1348            4 :     async fn lsn_wal_over_threshold_current_candidate() -> anyhow::Result<()> {
    1349            4 :         let harness = TenantHarness::create("lsn_wal_over_threshcurrent_candidate").await?;
    1350            4 :         let mut state = dummy_state(&harness).await;
    1351            4 :         let current_lsn = Lsn(100_000).align();
    1352            4 :         let now = Utc::now().naive_utc();
    1353            4 : 
    1354            4 :         let connected_sk_id = NodeId(0);
    1355            4 :         let new_lsn = Lsn(current_lsn.0 + state.conf.max_lsn_wal_lag.get() + 1);
    1356            4 : 
    1357            4 :         let connection_status = WalConnectionStatus {
    1358            4 :             is_connected: true,
    1359            4 :             has_processed_wal: true,
    1360            4 :             latest_connection_update: now,
    1361            4 :             latest_wal_update: now,
    1362            4 :             commit_lsn: Some(current_lsn),
    1363            4 :             streaming_lsn: Some(current_lsn),
    1364            4 :             node: connected_sk_id,
    1365            4 :         };
    1366            4 : 
    1367            4 :         state.wal_connection = Some(WalConnection {
    1368            4 :             started_at: now,
    1369            4 :             sk_id: connected_sk_id,
    1370            4 :             availability_zone: None,
    1371            4 :             status: connection_status,
    1372            4 :             connection_task: state.spawn(move |sender, _| async move {
    1373            4 :                 sender
    1374            4 :                     .send(TaskStateUpdate::Progress(connection_status))
    1375            4 :                     .ok();
    1376            4 :                 Ok(())
    1377            4 :             }),
    1378            4 :             discovered_new_wal: None,
    1379            4 :         });
    1380            4 :         state.wal_stream_candidates = HashMap::from([
    1381            4 :             (
    1382            4 :                 connected_sk_id,
    1383            4 :                 dummy_broker_sk_timeline(current_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1384            4 :             ),
    1385            4 :             (
    1386            4 :                 NodeId(1),
    1387            4 :                 dummy_broker_sk_timeline(new_lsn.0, "advanced_by_lsn_safekeeper", now),
    1388            4 :             ),
    1389            4 :         ]);
    1390            4 : 
    1391            4 :         let over_threshcurrent_candidate = state.next_connection_candidate().expect(
    1392            4 :             "Expected one candidate selected out of multiple valid data options, but got none",
    1393            4 :         );
    1394            4 : 
    1395            4 :         assert_eq!(over_threshcurrent_candidate.safekeeper_id, NodeId(1));
    1396            4 :         assert_eq!(
    1397            4 :             over_threshcurrent_candidate.reason,
    1398            4 :             ReconnectReason::LaggingWal {
    1399            4 :                 current_commit_lsn: current_lsn,
    1400            4 :                 new_commit_lsn: new_lsn,
    1401            4 :                 threshold: state.conf.max_lsn_wal_lag
    1402            4 :             },
    1403            4 :             "Should select bigger WAL safekeeper if it starts to lag enough"
    1404            4 :         );
    1405            4 :         assert_eq!(
    1406            4 :             over_threshcurrent_candidate.wal_source_connconf.host(),
    1407            4 :             &Host::Domain("advanced_by_lsn_safekeeper".to_owned())
    1408            4 :         );
    1409            4 : 
    1410            4 :         Ok(())
    1411            4 :     }
    1412              : 
    1413              :     #[tokio::test]
    1414            4 :     async fn timeout_connection_threshold_current_candidate() -> anyhow::Result<()> {
    1415            4 :         let harness =
    1416            4 :             TenantHarness::create("timeout_connection_threshold_current_candidate").await?;
    1417            4 :         let mut state = dummy_state(&harness).await;
    1418            4 :         let current_lsn = Lsn(100_000).align();
    1419            4 :         let now = Utc::now().naive_utc();
    1420            4 : 
    1421            4 :         let wal_connect_timeout = chrono::Duration::from_std(state.conf.wal_connect_timeout)?;
    1422            4 :         let time_over_threshold =
    1423            4 :             Utc::now().naive_utc() - wal_connect_timeout - wal_connect_timeout;
    1424            4 : 
    1425            4 :         let connection_status = WalConnectionStatus {
    1426            4 :             is_connected: true,
    1427            4 :             has_processed_wal: true,
    1428            4 :             latest_connection_update: time_over_threshold,
    1429            4 :             latest_wal_update: time_over_threshold,
    1430            4 :             commit_lsn: Some(current_lsn),
    1431            4 :             streaming_lsn: Some(current_lsn),
    1432            4 :             node: NodeId(1),
    1433            4 :         };
    1434            4 : 
    1435            4 :         state.wal_connection = Some(WalConnection {
    1436            4 :             started_at: now,
    1437            4 :             sk_id: NodeId(1),
    1438            4 :             availability_zone: None,
    1439            4 :             status: connection_status,
    1440            4 :             connection_task: state.spawn(move |sender, _| async move {
    1441            4 :                 sender
    1442            4 :                     .send(TaskStateUpdate::Progress(connection_status))
    1443            4 :                     .ok();
    1444            4 :                 Ok(())
    1445            4 :             }),
    1446            4 :             discovered_new_wal: None,
    1447            4 :         });
    1448            4 :         state.wal_stream_candidates = HashMap::from([(
    1449            4 :             NodeId(0),
    1450            4 :             dummy_broker_sk_timeline(current_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1451            4 :         )]);
    1452            4 : 
    1453            4 :         let over_threshcurrent_candidate = state.next_connection_candidate().expect(
    1454            4 :             "Expected one candidate selected out of multiple valid data options, but got none",
    1455            4 :         );
    1456            4 : 
    1457            4 :         assert_eq!(over_threshcurrent_candidate.safekeeper_id, NodeId(0));
    1458            4 :         match over_threshcurrent_candidate.reason {
    1459            4 :             ReconnectReason::NoKeepAlives {
    1460            4 :                 last_keep_alive,
    1461            4 :                 threshold,
    1462            4 :                 ..
    1463            4 :             } => {
    1464            4 :                 assert_eq!(last_keep_alive, Some(time_over_threshold));
    1465            4 :                 assert_eq!(threshold, state.conf.lagging_wal_timeout);
    1466            4 :             }
    1467            4 :             unexpected => panic!("Unexpected reason: {unexpected:?}"),
    1468            4 :         }
    1469            4 :         assert_eq!(
    1470            4 :             over_threshcurrent_candidate.wal_source_connconf.host(),
    1471            4 :             &Host::Domain(DUMMY_SAFEKEEPER_HOST.to_owned())
    1472            4 :         );
    1473            4 : 
    1474            4 :         Ok(())
    1475            4 :     }
    1476              : 
    1477              :     #[tokio::test]
    1478            4 :     async fn timeout_wal_over_threshold_current_candidate() -> anyhow::Result<()> {
    1479            4 :         let harness = TenantHarness::create("timeout_wal_over_threshold_current_candidate").await?;
    1480            4 :         let mut state = dummy_state(&harness).await;
    1481            4 :         let current_lsn = Lsn(100_000).align();
    1482            4 :         let new_lsn = Lsn(100_100).align();
    1483            4 :         let now = Utc::now().naive_utc();
    1484            4 : 
    1485            4 :         let lagging_wal_timeout = chrono::Duration::from_std(state.conf.lagging_wal_timeout)?;
    1486            4 :         let time_over_threshold =
    1487            4 :             Utc::now().naive_utc() - lagging_wal_timeout - lagging_wal_timeout;
    1488            4 : 
    1489            4 :         let connection_status = WalConnectionStatus {
    1490            4 :             is_connected: true,
    1491            4 :             has_processed_wal: true,
    1492            4 :             latest_connection_update: now,
    1493            4 :             latest_wal_update: time_over_threshold,
    1494            4 :             commit_lsn: Some(current_lsn),
    1495            4 :             streaming_lsn: Some(current_lsn),
    1496            4 :             node: NodeId(1),
    1497            4 :         };
    1498            4 : 
    1499            4 :         state.wal_connection = Some(WalConnection {
    1500            4 :             started_at: now,
    1501            4 :             sk_id: NodeId(1),
    1502            4 :             availability_zone: None,
    1503            4 :             status: connection_status,
    1504            4 :             connection_task: state.spawn(move |_, _| async move { Ok(()) }),
    1505            4 :             discovered_new_wal: Some(NewCommittedWAL {
    1506            4 :                 discovered_at: time_over_threshold,
    1507            4 :                 lsn: new_lsn,
    1508            4 :             }),
    1509            4 :         });
    1510            4 :         state.wal_stream_candidates = HashMap::from([(
    1511            4 :             NodeId(0),
    1512            4 :             dummy_broker_sk_timeline(new_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1513            4 :         )]);
    1514            4 : 
    1515            4 :         let over_threshcurrent_candidate = state.next_connection_candidate().expect(
    1516            4 :             "Expected one candidate selected out of multiple valid data options, but got none",
    1517            4 :         );
    1518            4 : 
    1519            4 :         assert_eq!(over_threshcurrent_candidate.safekeeper_id, NodeId(0));
    1520            4 :         match over_threshcurrent_candidate.reason {
    1521            4 :             ReconnectReason::NoWalTimeout {
    1522            4 :                 current_lsn,
    1523            4 :                 current_commit_lsn,
    1524            4 :                 candidate_commit_lsn,
    1525            4 :                 last_wal_interaction,
    1526            4 :                 threshold,
    1527            4 :                 ..
    1528            4 :             } => {
    1529            4 :                 assert_eq!(current_lsn, current_lsn);
    1530            4 :                 assert_eq!(current_commit_lsn, current_lsn);
    1531            4 :                 assert_eq!(candidate_commit_lsn, new_lsn);
    1532            4 :                 assert_eq!(last_wal_interaction, Some(time_over_threshold));
    1533            4 :                 assert_eq!(threshold, state.conf.lagging_wal_timeout);
    1534            4 :             }
    1535            4 :             unexpected => panic!("Unexpected reason: {unexpected:?}"),
    1536            4 :         }
    1537            4 :         assert_eq!(
    1538            4 :             over_threshcurrent_candidate.wal_source_connconf.host(),
    1539            4 :             &Host::Domain(DUMMY_SAFEKEEPER_HOST.to_owned())
    1540            4 :         );
    1541            4 : 
    1542            4 :         Ok(())
    1543            4 :     }
    1544              : 
    1545              :     const DUMMY_SAFEKEEPER_HOST: &str = "safekeeper_connstr";
    1546              : 
    1547           32 :     async fn dummy_state(harness: &TenantHarness) -> ConnectionManagerState {
    1548           32 :         let (tenant, ctx) = harness.load().await;
    1549           32 :         let timeline = tenant
    1550           32 :             .create_test_timeline(TIMELINE_ID, Lsn(0x8), crate::DEFAULT_PG_VERSION, &ctx)
    1551           32 :             .await
    1552           32 :             .expect("Failed to create an empty timeline for dummy wal connection manager");
    1553           32 : 
    1554           32 :         ConnectionManagerState {
    1555           32 :             id: TenantTimelineId {
    1556           32 :                 tenant_id: harness.tenant_shard_id.tenant_id,
    1557           32 :                 timeline_id: TIMELINE_ID,
    1558           32 :             },
    1559           32 :             timeline,
    1560           32 :             cancel: CancellationToken::new(),
    1561           32 :             conf: WalReceiverConf {
    1562           32 :                 protocol: DEFAULT_WAL_RECEIVER_PROTOCOL,
    1563           32 :                 wal_connect_timeout: Duration::from_secs(1),
    1564           32 :                 lagging_wal_timeout: Duration::from_secs(1),
    1565           32 :                 max_lsn_wal_lag: NonZeroU64::new(1024 * 1024).unwrap(),
    1566           32 :                 auth_token: None,
    1567           32 :                 availability_zone: None,
    1568           32 :                 ingest_batch_size: 1,
    1569           32 :                 validate_wal_contiguity: false,
    1570           32 :             },
    1571           32 :             wal_connection: None,
    1572           32 :             wal_stream_candidates: HashMap::new(),
    1573           32 :             wal_connection_retries: HashMap::new(),
    1574           32 :         }
    1575           32 :     }
    1576              : 
    1577              :     #[tokio::test]
    1578            4 :     async fn switch_to_same_availability_zone() -> anyhow::Result<()> {
    1579            4 :         // Pageserver and one of safekeepers will be in the same availability zone
    1580            4 :         // and pageserver should prefer to connect to it.
    1581            4 :         let test_az = Some("test_az".to_owned());
    1582            4 : 
    1583            4 :         let harness = TenantHarness::create("switch_to_same_availability_zone").await?;
    1584            4 :         let mut state = dummy_state(&harness).await;
    1585            4 :         state.conf.availability_zone.clone_from(&test_az);
    1586            4 :         let current_lsn = Lsn(100_000).align();
    1587            4 :         let now = Utc::now().naive_utc();
    1588            4 : 
    1589            4 :         let connected_sk_id = NodeId(0);
    1590            4 : 
    1591            4 :         let connection_status = WalConnectionStatus {
    1592            4 :             is_connected: true,
    1593            4 :             has_processed_wal: true,
    1594            4 :             latest_connection_update: now,
    1595            4 :             latest_wal_update: now,
    1596            4 :             commit_lsn: Some(current_lsn),
    1597            4 :             streaming_lsn: Some(current_lsn),
    1598            4 :             node: connected_sk_id,
    1599            4 :         };
    1600            4 : 
    1601            4 :         state.wal_connection = Some(WalConnection {
    1602            4 :             started_at: now,
    1603            4 :             sk_id: connected_sk_id,
    1604            4 :             availability_zone: None,
    1605            4 :             status: connection_status,
    1606            4 :             connection_task: state.spawn(move |sender, _| async move {
    1607            4 :                 sender
    1608            4 :                     .send(TaskStateUpdate::Progress(connection_status))
    1609            4 :                     .ok();
    1610            4 :                 Ok(())
    1611            4 :             }),
    1612            4 :             discovered_new_wal: None,
    1613            4 :         });
    1614            4 : 
    1615            4 :         // We have another safekeeper with the same commit_lsn, and it have the same availability zone as
    1616            4 :         // the current pageserver.
    1617            4 :         let mut same_az_sk = dummy_broker_sk_timeline(current_lsn.0, "same_az", now);
    1618            4 :         same_az_sk.timeline.availability_zone.clone_from(&test_az);
    1619            4 : 
    1620            4 :         state.wal_stream_candidates = HashMap::from([
    1621            4 :             (
    1622            4 :                 connected_sk_id,
    1623            4 :                 dummy_broker_sk_timeline(current_lsn.0, DUMMY_SAFEKEEPER_HOST, now),
    1624            4 :             ),
    1625            4 :             (NodeId(1), same_az_sk),
    1626            4 :         ]);
    1627            4 : 
    1628            4 :         // We expect that pageserver will switch to the safekeeper in the same availability zone,
    1629            4 :         // even if it has the same commit_lsn.
    1630            4 :         let next_candidate = state.next_connection_candidate().expect(
    1631            4 :             "Expected one candidate selected out of multiple valid data options, but got none",
    1632            4 :         );
    1633            4 : 
    1634            4 :         assert_eq!(next_candidate.safekeeper_id, NodeId(1));
    1635            4 :         assert_eq!(
    1636            4 :             next_candidate.reason,
    1637            4 :             ReconnectReason::SwitchAvailabilityZone,
    1638            4 :             "Should switch to the safekeeper in the same availability zone, if it has the same commit_lsn"
    1639            4 :         );
    1640            4 :         assert_eq!(
    1641            4 :             next_candidate.wal_source_connconf.host(),
    1642            4 :             &Host::Domain("same_az".to_owned())
    1643            4 :         );
    1644            4 : 
    1645            4 :         Ok(())
    1646            4 :     }
    1647              : }
        

Generated by: LCOV version 2.1-beta