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 0 : pub fn new(endpoint: ApiUrl) -> Self {
43 0 : Self { endpoint }
44 0 : }
45 :
46 0 : pub fn url(&self) -> &str {
47 0 : self.endpoint.as_str()
48 0 : }
49 :
50 0 : async fn do_get_auth_info(
51 0 : &self,
52 0 : user_info: &ComputeUserInfo,
53 0 : ) -> Result<AuthInfo, GetAuthInfoError> {
54 0 : 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 0 : let (client, connection) =
59 0 : tokio_postgres::connect(self.endpoint.as_str(), tokio_postgres::NoTls).await?;
60 :
61 0 : tokio::spawn(connection);
62 0 : let secret = match get_execute_postgres_query(
63 0 : &client,
64 0 : "select rolpassword from pg_catalog.pg_authid where rolname = $1",
65 0 : &[&&*user_info.user],
66 0 : "rolpassword",
67 0 : )
68 0 : .await?
69 : {
70 0 : Some(entry) => {
71 0 : info!("got a secret: {entry}"); // safe since it's not a prod scenario
72 0 : let secret = scram::ServerSecret::parse(&entry).map(AuthSecret::Scram);
73 0 : secret.or_else(|| parse_md5(&entry).map(AuthSecret::Md5))
74 : }
75 : None => {
76 0 : warn!("user '{}' does not exist", user_info.user);
77 0 : None
78 : }
79 : };
80 0 : let allowed_ips = match get_execute_postgres_query(
81 0 : &client,
82 0 : "select allowed_ips from neon_control_plane.endpoints where endpoint_id = $1",
83 0 : &[&user_info.endpoint.as_str()],
84 0 : "allowed_ips",
85 0 : )
86 0 : .await?
87 : {
88 0 : Some(s) => {
89 0 : info!("got allowed_ips: {s}");
90 0 : s.split(',')
91 0 : .map(|s| IpPattern::from_str(s).unwrap())
92 0 : .collect()
93 : }
94 0 : None => vec![],
95 : };
96 :
97 0 : Ok((secret, allowed_ips))
98 0 : }
99 0 : .map_err(crate::error::log_error::<GetAuthInfoError>)
100 0 : .instrument(info_span!("postgres", url = self.endpoint.as_str()))
101 0 : .await?;
102 0 : Ok(AuthInfo {
103 0 : secret,
104 0 : allowed_ips,
105 0 : project_id: None,
106 0 : })
107 0 : }
108 :
109 0 : async fn do_wake_compute(&self) -> Result<NodeInfo, WakeComputeError> {
110 0 : let mut config = compute::ConnCfg::new();
111 0 : config
112 0 : .host(self.endpoint.host_str().unwrap_or("localhost"))
113 0 : .port(self.endpoint.port().unwrap_or(5432))
114 0 : .ssl_mode(SslMode::Disable);
115 0 :
116 0 : let node = NodeInfo {
117 0 : config,
118 0 : aux: Default::default(),
119 0 : allow_self_signed_compute: false,
120 0 : };
121 0 :
122 0 : Ok(node)
123 0 : }
124 : }
125 :
126 0 : async fn get_execute_postgres_query(
127 0 : client: &Client,
128 0 : query: &str,
129 0 : params: &[&(dyn tokio_postgres::types::ToSql + Sync)],
130 0 : idx: &str,
131 0 : ) -> Result<Option<String>, GetAuthInfoError> {
132 0 : let rows = client.query(query, params).await?;
133 :
134 : // We can get at most one row, because `rolname` is unique.
135 0 : let row = match rows.first() {
136 0 : 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 0 : None => return Ok(None),
141 : };
142 :
143 0 : let entry = row.try_get(idx).map_err(MockApiError::PasswordNotSet)?;
144 0 : Ok(Some(entry))
145 0 : }
146 :
147 : #[async_trait]
148 : impl super::Api for Api {
149 0 : #[tracing::instrument(skip_all)]
150 : async fn get_role_secret(
151 : &self,
152 : _ctx: &mut RequestMonitoring,
153 : user_info: &ComputeUserInfo,
154 0 : ) -> Result<CachedRoleSecret, GetAuthInfoError> {
155 : Ok(CachedRoleSecret::new_uncached(
156 0 : self.do_get_auth_info(user_info).await?.secret,
157 : ))
158 0 : }
159 :
160 0 : async fn get_allowed_ips_and_secret(
161 0 : &self,
162 0 : _ctx: &mut RequestMonitoring,
163 0 : user_info: &ComputeUserInfo,
164 0 : ) -> Result<(CachedAllowedIps, Option<CachedRoleSecret>), GetAuthInfoError> {
165 : Ok((
166 : Cached::new_uncached(Arc::new(
167 0 : self.do_get_auth_info(user_info).await?.allowed_ips,
168 : )),
169 0 : None,
170 : ))
171 0 : }
172 :
173 0 : #[tracing::instrument(skip_all)]
174 : async fn wake_compute(
175 : &self,
176 : _ctx: &mut RequestMonitoring,
177 : _user_info: &ComputeUserInfo,
178 0 : ) -> Result<CachedNodeInfo, WakeComputeError> {
179 0 : self.do_wake_compute().map_ok(Cached::new_uncached).await
180 0 : }
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 : }
|