LCOV - code coverage report
Current view: top level - proxy/src/console/provider - mock.rs (source / functions) Coverage Total Hit
Test: aca8877be6ceba750c1be359ed71bc1799d52b30.info Lines: 87.2 % 109 95
Test Date: 2024-02-14 18:05:35 Functions: 75.0 % 28 21

            Line data    Source code
       1              : //! Mock console backend which relies on a user-provided postgres instance.
       2              : 
       3              : use super::{
       4              :     errors::{ApiError, GetAuthInfoError, WakeComputeError},
       5              :     AuthInfo, AuthSecret, CachedNodeInfo, NodeInfo,
       6              : };
       7              : use crate::console::provider::{CachedAllowedIps, CachedRoleSecret};
       8              : use crate::context::RequestMonitoring;
       9              : use crate::{auth::backend::ComputeUserInfo, compute, error::io_error, scram, url::ApiUrl};
      10              : use crate::{auth::IpPattern, cache::Cached};
      11              : use async_trait::async_trait;
      12              : use futures::TryFutureExt;
      13              : use std::{str::FromStr, sync::Arc};
      14              : use thiserror::Error;
      15              : use tokio_postgres::{config::SslMode, Client};
      16              : use tracing::{error, info, info_span, warn, Instrument};
      17              : 
      18            0 : #[derive(Debug, Error)]
      19              : enum MockApiError {
      20              :     #[error("Failed to read password: {0}")]
      21              :     PasswordNotSet(tokio_postgres::Error),
      22              : }
      23              : 
      24              : impl From<MockApiError> for ApiError {
      25            0 :     fn from(e: MockApiError) -> Self {
      26            0 :         io_error(e).into()
      27            0 :     }
      28              : }
      29              : 
      30              : impl From<tokio_postgres::Error> for ApiError {
      31            0 :     fn from(e: tokio_postgres::Error) -> Self {
      32            0 :         io_error(e).into()
      33            0 :     }
      34              : }
      35              : 
      36            0 : #[derive(Clone)]
      37              : pub struct Api {
      38              :     endpoint: ApiUrl,
      39              : }
      40              : 
      41              : impl Api {
      42           21 :     pub fn new(endpoint: ApiUrl) -> Self {
      43           21 :         Self { endpoint }
      44           21 :     }
      45              : 
      46           21 :     pub fn url(&self) -> &str {
      47           21 :         self.endpoint.as_str()
      48           21 :     }
      49              : 
      50          178 :     async fn do_get_auth_info(
      51          178 :         &self,
      52          178 :         user_info: &ComputeUserInfo,
      53          178 :     ) -> Result<AuthInfo, GetAuthInfoError> {
      54          178 :         let (secret, allowed_ips) = async {
      55              :             // Perhaps we could persist this connection, but then we'd have to
      56              :             // write more code for reopening it if it got closed, which doesn't
      57              :             // seem worth it.
      58          178 :             let (client, connection) =
      59          554 :                 tokio_postgres::connect(self.endpoint.as_str(), tokio_postgres::NoTls).await?;
      60              : 
      61          178 :             tokio::spawn(connection);
      62          178 :             let secret = match get_execute_postgres_query(
      63          178 :                 &client,
      64          178 :                 "select rolpassword from pg_catalog.pg_authid where rolname = $1",
      65          178 :                 &[&&*user_info.user],
      66          178 :                 "rolpassword",
      67          178 :             )
      68          356 :             .await?
      69              :             {
      70          174 :                 Some(entry) => {
      71          174 :                     info!("got a secret: {entry}"); // safe since it's not a prod scenario
      72          174 :                     let secret = scram::ServerSecret::parse(&entry).map(AuthSecret::Scram);
      73          174 :                     secret.or_else(|| parse_md5(&entry).map(AuthSecret::Md5))
      74              :                 }
      75              :                 None => {
      76            4 :                     warn!("user '{}' does not exist", user_info.user);
      77            4 :                     None
      78              :                 }
      79              :             };
      80          178 :             let allowed_ips = match get_execute_postgres_query(
      81          178 :                 &client,
      82          178 :                 "select allowed_ips from neon_control_plane.endpoints where endpoint_id = $1",
      83          178 :                 &[&user_info.endpoint.as_str()],
      84          178 :                 "allowed_ips",
      85          178 :             )
      86          356 :             .await?
      87              :             {
      88           12 :                 Some(s) => {
      89           12 :                     info!("got allowed_ips: {s}");
      90           12 :                     s.split(',')
      91           20 :                         .map(|s| IpPattern::from_str(s).unwrap())
      92           12 :                         .collect()
      93              :                 }
      94          166 :                 None => vec![],
      95              :             };
      96              : 
      97          178 :             Ok((secret, allowed_ips))
      98          178 :         }
      99          178 :         .map_err(crate::error::log_error::<GetAuthInfoError>)
     100          178 :         .instrument(info_span!("postgres", url = self.endpoint.as_str()))
     101         1266 :         .await?;
     102          178 :         Ok(AuthInfo {
     103          178 :             secret,
     104          178 :             allowed_ips,
     105          178 :             project_id: None,
     106          178 :         })
     107          178 :     }
     108              : 
     109           78 :     async fn do_wake_compute(&self) -> Result<NodeInfo, WakeComputeError> {
     110           78 :         let mut config = compute::ConnCfg::new();
     111           78 :         config
     112           78 :             .host(self.endpoint.host_str().unwrap_or("localhost"))
     113           78 :             .port(self.endpoint.port().unwrap_or(5432))
     114           78 :             .ssl_mode(SslMode::Disable);
     115           78 : 
     116           78 :         let node = NodeInfo {
     117           78 :             config,
     118           78 :             aux: Default::default(),
     119           78 :             allow_self_signed_compute: false,
     120           78 :         };
     121           78 : 
     122           78 :         Ok(node)
     123           78 :     }
     124              : }
     125              : 
     126          356 : async fn get_execute_postgres_query(
     127          356 :     client: &Client,
     128          356 :     query: &str,
     129          356 :     params: &[&(dyn tokio_postgres::types::ToSql + Sync)],
     130          356 :     idx: &str,
     131          356 : ) -> Result<Option<String>, GetAuthInfoError> {
     132          712 :     let rows = client.query(query, params).await?;
     133              : 
     134              :     // We can get at most one row, because `rolname` is unique.
     135          356 :     let row = match rows.first() {
     136          186 :         Some(row) => row,
     137              :         // This means that the user doesn't exist, so there can be no secret.
     138              :         // However, this is still a *valid* outcome which is very similar
     139              :         // to getting `404 Not found` from the Neon console.
     140          170 :         None => return Ok(None),
     141              :     };
     142              : 
     143          186 :     let entry = row.try_get(idx).map_err(MockApiError::PasswordNotSet)?;
     144          186 :     Ok(Some(entry))
     145          356 : }
     146              : 
     147              : #[async_trait]
     148              : impl super::Api for Api {
     149           87 :     #[tracing::instrument(skip_all)]
     150              :     async fn get_role_secret(
     151              :         &self,
     152              :         _ctx: &mut RequestMonitoring,
     153              :         user_info: &ComputeUserInfo,
     154           87 :     ) -> Result<CachedRoleSecret, GetAuthInfoError> {
     155              :         Ok(CachedRoleSecret::new_uncached(
     156          603 :             self.do_get_auth_info(user_info).await?.secret,
     157              :         ))
     158          174 :     }
     159              : 
     160           91 :     async fn get_allowed_ips_and_secret(
     161           91 :         &self,
     162           91 :         _ctx: &mut RequestMonitoring,
     163           91 :         user_info: &ComputeUserInfo,
     164           91 :     ) -> Result<(CachedAllowedIps, Option<CachedRoleSecret>), GetAuthInfoError> {
     165              :         Ok((
     166              :             Cached::new_uncached(Arc::new(
     167          663 :                 self.do_get_auth_info(user_info).await?.allowed_ips,
     168              :             )),
     169           91 :             None,
     170              :         ))
     171          273 :     }
     172              : 
     173           78 :     #[tracing::instrument(skip_all)]
     174              :     async fn wake_compute(
     175              :         &self,
     176              :         _ctx: &mut RequestMonitoring,
     177              :         _user_info: &ComputeUserInfo,
     178           78 :     ) -> Result<CachedNodeInfo, WakeComputeError> {
     179           78 :         self.do_wake_compute().map_ok(Cached::new_uncached).await
     180          156 :     }
     181              : }
     182              : 
     183            0 : fn parse_md5(input: &str) -> Option<[u8; 16]> {
     184            0 :     let text = input.strip_prefix("md5")?;
     185              : 
     186            0 :     let mut bytes = [0u8; 16];
     187            0 :     hex::decode_to_slice(text, &mut bytes).ok()?;
     188              : 
     189            0 :     Some(bytes)
     190            0 : }
        

Generated by: LCOV version 2.1-beta