LCOV - code coverage report
Current view: top level - control_plane/src - safekeeper.rs (source / functions) Coverage Total Hit
Test: 4e30745f424539d3816b821c09fe7733c446c226.info Lines: 0.0 % 166 0
Test Date: 2024-06-19 13:20:49 Functions: 0.0 % 22 0

            Line data    Source code
       1              : //! Code to manage safekeepers
       2              : //!
       3              : //! In the local test environment, the data for each safekeeper is stored in
       4              : //!
       5              : //! ```text
       6              : //!   .neon/safekeepers/<safekeeper id>
       7              : //! ```
       8              : use std::io::Write;
       9              : use std::path::PathBuf;
      10              : use std::{io, result};
      11              : 
      12              : use anyhow::Context;
      13              : use camino::Utf8PathBuf;
      14              : use postgres_connection::PgConnectionConfig;
      15              : use reqwest::{IntoUrl, Method};
      16              : use thiserror::Error;
      17              : use utils::auth::{Claims, Scope};
      18              : use utils::{http::error::HttpErrorBody, id::NodeId};
      19              : 
      20              : use crate::{
      21              :     background_process,
      22              :     local_env::{LocalEnv, SafekeeperConf},
      23              : };
      24              : 
      25            0 : #[derive(Error, Debug)]
      26              : pub enum SafekeeperHttpError {
      27              :     #[error("Reqwest error: {0}")]
      28              :     Transport(#[from] reqwest::Error),
      29              : 
      30              :     #[error("Error: {0}")]
      31              :     Response(String),
      32              : }
      33              : 
      34              : type Result<T> = result::Result<T, SafekeeperHttpError>;
      35              : 
      36              : #[async_trait::async_trait]
      37              : pub trait ResponseErrorMessageExt: Sized {
      38              :     async fn error_from_body(self) -> Result<Self>;
      39              : }
      40              : 
      41              : #[async_trait::async_trait]
      42              : impl ResponseErrorMessageExt for reqwest::Response {
      43            0 :     async fn error_from_body(self) -> Result<Self> {
      44            0 :         let status = self.status();
      45            0 :         if !(status.is_client_error() || status.is_server_error()) {
      46            0 :             return Ok(self);
      47            0 :         }
      48            0 : 
      49            0 :         // reqwest does not export its error construction utility functions, so let's craft the message ourselves
      50            0 :         let url = self.url().to_owned();
      51            0 :         Err(SafekeeperHttpError::Response(
      52            0 :             match self.json::<HttpErrorBody>().await {
      53            0 :                 Ok(err_body) => format!("Error: {}", err_body.msg),
      54            0 :                 Err(_) => format!("Http error ({}) at {}.", status.as_u16(), url),
      55            0 :             },
      56            0 :         ))
      57            0 :     }
      58              : }
      59              : 
      60              : //
      61              : // Control routines for safekeeper.
      62              : //
      63              : // Used in CLI and tests.
      64              : //
      65              : #[derive(Debug)]
      66              : pub struct SafekeeperNode {
      67              :     pub id: NodeId,
      68              : 
      69              :     pub conf: SafekeeperConf,
      70              : 
      71              :     pub pg_connection_config: PgConnectionConfig,
      72              :     pub env: LocalEnv,
      73              :     pub http_client: reqwest::Client,
      74              :     pub listen_addr: String,
      75              :     pub http_base_url: String,
      76              : }
      77              : 
      78              : impl SafekeeperNode {
      79            0 :     pub fn from_env(env: &LocalEnv, conf: &SafekeeperConf) -> SafekeeperNode {
      80            0 :         let listen_addr = if let Some(ref listen_addr) = conf.listen_addr {
      81            0 :             listen_addr.clone()
      82              :         } else {
      83            0 :             "127.0.0.1".to_string()
      84              :         };
      85            0 :         SafekeeperNode {
      86            0 :             id: conf.id,
      87            0 :             conf: conf.clone(),
      88            0 :             pg_connection_config: Self::safekeeper_connection_config(&listen_addr, conf.pg_port),
      89            0 :             env: env.clone(),
      90            0 :             http_client: reqwest::Client::new(),
      91            0 :             http_base_url: format!("http://{}:{}/v1", listen_addr, conf.http_port),
      92            0 :             listen_addr,
      93            0 :         }
      94            0 :     }
      95              : 
      96              :     /// Construct libpq connection string for connecting to this safekeeper.
      97            0 :     fn safekeeper_connection_config(addr: &str, port: u16) -> PgConnectionConfig {
      98            0 :         PgConnectionConfig::new_host_port(url::Host::parse(addr).unwrap(), port)
      99            0 :     }
     100              : 
     101            0 :     pub fn datadir_path_by_id(env: &LocalEnv, sk_id: NodeId) -> PathBuf {
     102            0 :         env.safekeeper_data_dir(&format!("sk{sk_id}"))
     103            0 :     }
     104              : 
     105            0 :     pub fn datadir_path(&self) -> PathBuf {
     106            0 :         SafekeeperNode::datadir_path_by_id(&self.env, self.id)
     107            0 :     }
     108              : 
     109            0 :     pub fn pid_file(&self) -> Utf8PathBuf {
     110            0 :         Utf8PathBuf::from_path_buf(self.datadir_path().join("safekeeper.pid"))
     111            0 :             .expect("non-Unicode path")
     112            0 :     }
     113              : 
     114            0 :     pub async fn start(&self, extra_opts: Vec<String>) -> anyhow::Result<()> {
     115            0 :         print!(
     116            0 :             "Starting safekeeper at '{}' in '{}'",
     117            0 :             self.pg_connection_config.raw_address(),
     118            0 :             self.datadir_path().display()
     119            0 :         );
     120            0 :         io::stdout().flush().unwrap();
     121            0 : 
     122            0 :         let listen_pg = format!("{}:{}", self.listen_addr, self.conf.pg_port);
     123            0 :         let listen_http = format!("{}:{}", self.listen_addr, self.conf.http_port);
     124            0 :         let id = self.id;
     125            0 :         let datadir = self.datadir_path();
     126            0 : 
     127            0 :         let id_string = id.to_string();
     128            0 :         // TODO: add availability_zone to the config.
     129            0 :         // Right now we just specify any value here and use it to check metrics in tests.
     130            0 :         let availability_zone = format!("sk-{}", id_string);
     131              : 
     132            0 :         let mut args = vec![
     133            0 :             "-D".to_owned(),
     134            0 :             datadir
     135            0 :                 .to_str()
     136            0 :                 .with_context(|| {
     137            0 :                     format!("Datadir path {datadir:?} cannot be represented as a unicode string")
     138            0 :                 })?
     139            0 :                 .to_owned(),
     140            0 :             "--id".to_owned(),
     141            0 :             id_string,
     142            0 :             "--listen-pg".to_owned(),
     143            0 :             listen_pg,
     144            0 :             "--listen-http".to_owned(),
     145            0 :             listen_http,
     146            0 :             "--availability-zone".to_owned(),
     147            0 :             availability_zone,
     148              :         ];
     149            0 :         if let Some(pg_tenant_only_port) = self.conf.pg_tenant_only_port {
     150            0 :             let listen_pg_tenant_only = format!("{}:{}", self.listen_addr, pg_tenant_only_port);
     151            0 :             args.extend(["--listen-pg-tenant-only".to_owned(), listen_pg_tenant_only]);
     152            0 :         }
     153            0 :         if !self.conf.sync {
     154            0 :             args.push("--no-sync".to_owned());
     155            0 :         }
     156              : 
     157            0 :         let broker_endpoint = format!("{}", self.env.broker.client_url());
     158            0 :         args.extend(["--broker-endpoint".to_owned(), broker_endpoint]);
     159            0 : 
     160            0 :         let mut backup_threads = String::new();
     161            0 :         if let Some(threads) = self.conf.backup_threads {
     162            0 :             backup_threads = threads.to_string();
     163            0 :             args.extend(["--backup-threads".to_owned(), backup_threads]);
     164            0 :         } else {
     165            0 :             drop(backup_threads);
     166            0 :         }
     167              : 
     168            0 :         if let Some(ref remote_storage) = self.conf.remote_storage {
     169            0 :             args.extend(["--remote-storage".to_owned(), remote_storage.clone()]);
     170            0 :         }
     171              : 
     172            0 :         let key_path = self.env.base_data_dir.join("auth_public_key.pem");
     173            0 :         if self.conf.auth_enabled {
     174            0 :             let key_path_string = key_path
     175            0 :                 .to_str()
     176            0 :                 .with_context(|| {
     177            0 :                     format!("Key path {key_path:?} cannot be represented as a unicode string")
     178            0 :                 })?
     179            0 :                 .to_owned();
     180            0 :             args.extend([
     181            0 :                 "--pg-auth-public-key-path".to_owned(),
     182            0 :                 key_path_string.clone(),
     183            0 :             ]);
     184            0 :             args.extend([
     185            0 :                 "--pg-tenant-only-auth-public-key-path".to_owned(),
     186            0 :                 key_path_string.clone(),
     187            0 :             ]);
     188            0 :             args.extend([
     189            0 :                 "--http-auth-public-key-path".to_owned(),
     190            0 :                 key_path_string.clone(),
     191            0 :             ]);
     192            0 :         }
     193              : 
     194            0 :         args.extend(extra_opts);
     195            0 : 
     196            0 :         background_process::start_process(
     197            0 :             &format!("safekeeper-{id}"),
     198            0 :             &datadir,
     199            0 :             &self.env.safekeeper_bin(),
     200            0 :             &args,
     201            0 :             self.safekeeper_env_variables()?,
     202            0 :             background_process::InitialPidFile::Expect(self.pid_file()),
     203            0 :             || async {
     204            0 :                 match self.check_status().await {
     205            0 :                     Ok(()) => Ok(true),
     206            0 :                     Err(SafekeeperHttpError::Transport(_)) => Ok(false),
     207            0 :                     Err(e) => Err(anyhow::anyhow!("Failed to check node status: {e}")),
     208            0 :                 }
     209            0 :             },
     210              :         )
     211            0 :         .await
     212            0 :     }
     213              : 
     214            0 :     fn safekeeper_env_variables(&self) -> anyhow::Result<Vec<(String, String)>> {
     215            0 :         // Generate a token to connect from safekeeper to peers
     216            0 :         if self.conf.auth_enabled {
     217            0 :             let token = self
     218            0 :                 .env
     219            0 :                 .generate_auth_token(&Claims::new(None, Scope::SafekeeperData))?;
     220            0 :             Ok(vec![("SAFEKEEPER_AUTH_TOKEN".to_owned(), token)])
     221              :         } else {
     222            0 :             Ok(Vec::new())
     223              :         }
     224            0 :     }
     225              : 
     226              :     ///
     227              :     /// Stop the server.
     228              :     ///
     229              :     /// If 'immediate' is true, we use SIGQUIT, killing the process immediately.
     230              :     /// Otherwise we use SIGTERM, triggering a clean shutdown
     231              :     ///
     232              :     /// If the server is not running, returns success
     233              :     ///
     234            0 :     pub fn stop(&self, immediate: bool) -> anyhow::Result<()> {
     235            0 :         background_process::stop_process(
     236            0 :             immediate,
     237            0 :             &format!("safekeeper {}", self.id),
     238            0 :             &self.pid_file(),
     239            0 :         )
     240            0 :     }
     241              : 
     242            0 :     fn http_request<U: IntoUrl>(&self, method: Method, url: U) -> reqwest::RequestBuilder {
     243            0 :         // TODO: authentication
     244            0 :         //if self.env.auth_type == AuthType::NeonJWT {
     245            0 :         //    builder = builder.bearer_auth(&self.env.safekeeper_auth_token)
     246            0 :         //}
     247            0 :         self.http_client.request(method, url)
     248            0 :     }
     249              : 
     250            0 :     pub async fn check_status(&self) -> Result<()> {
     251            0 :         self.http_request(Method::GET, format!("{}/{}", self.http_base_url, "status"))
     252            0 :             .send()
     253            0 :             .await?
     254            0 :             .error_from_body()
     255            0 :             .await?;
     256            0 :         Ok(())
     257            0 :     }
     258              : }
        

Generated by: LCOV version 2.1-beta