mz_postgres_client/
lib.rs1#![warn(missing_docs, missing_debug_implementations)]
14#![warn(
15 clippy::cast_possible_truncation,
16 clippy::cast_precision_loss,
17 clippy::cast_sign_loss,
18 clippy::clone_on_ref_ptr
19)]
20
21pub mod error;
22pub mod metrics;
23
24use std::sync::Arc;
25use std::sync::atomic::{AtomicU64, Ordering};
26use std::time::{Duration, Instant};
27
28use deadpool_postgres::tokio_postgres::Config;
29use deadpool_postgres::{
30 Hook, HookError, HookErrorCause, Manager, ManagerConfig, Object, Pool, PoolError,
31 RecyclingMethod, Runtime, Status,
32};
33use mz_ore::cast::{CastFrom, CastLossy};
34use mz_ore::now::SYSTEM_TIME;
35use mz_ore::url::SensitiveUrl;
36use tracing::debug;
37
38use crate::error::PostgresError;
39use crate::metrics::PostgresClientMetrics;
40
41pub trait PostgresClientKnobs: std::fmt::Debug + Send + Sync {
43 fn connection_pool_max_size(&self) -> usize;
45 fn connection_pool_max_wait(&self) -> Option<Duration>;
47 fn connection_pool_ttl(&self) -> Duration;
50 fn connection_pool_ttl_stagger(&self) -> Duration;
53 fn connect_timeout(&self) -> Duration;
55 fn tcp_user_timeout(&self) -> Duration;
57}
58
59#[derive(Clone, Debug)]
61pub struct PostgresClientConfig {
62 url: SensitiveUrl,
63 knobs: Arc<dyn PostgresClientKnobs>,
64 metrics: PostgresClientMetrics,
65}
66
67impl PostgresClientConfig {
68 pub fn new(
70 url: SensitiveUrl,
71 knobs: Arc<dyn PostgresClientKnobs>,
72 metrics: PostgresClientMetrics,
73 ) -> Self {
74 PostgresClientConfig {
75 url,
76 knobs,
77 metrics,
78 }
79 }
80}
81
82pub struct PostgresClient {
84 pool: Pool,
85 metrics: PostgresClientMetrics,
86}
87
88impl std::fmt::Debug for PostgresClient {
89 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
90 f.debug_struct("PostgresClient").finish_non_exhaustive()
91 }
92}
93
94impl PostgresClient {
95 pub fn open(config: PostgresClientConfig) -> Result<Self, PostgresError> {
97 let mut pg_config: Config = config.url.to_string_unredacted().parse()?;
98 pg_config.connect_timeout(config.knobs.connect_timeout());
99 pg_config.tcp_user_timeout(config.knobs.tcp_user_timeout());
100
101 let tls = mz_tls_util::make_tls(&pg_config).map_err(|tls_err| match tls_err {
102 mz_tls_util::TlsError::Generic(e) => PostgresError::Indeterminate(e),
103 mz_tls_util::TlsError::OpenSsl(e) => PostgresError::Indeterminate(anyhow::anyhow!(e)),
104 })?;
105
106 let manager = Manager::from_config(
107 pg_config,
108 tls,
109 ManagerConfig {
110 recycling_method: RecyclingMethod::Fast,
111 },
112 );
113
114 let last_ttl_connection = AtomicU64::new(0);
115 let connections_created = config.metrics.connpool_connections_created.clone();
116 let ttl_reconnections = config.metrics.connpool_ttl_reconnections.clone();
117 let builder = Pool::builder(manager);
118 let builder = match config.knobs.connection_pool_max_wait() {
119 None => builder,
120 Some(wait) => builder.wait_timeout(Some(wait)).runtime(Runtime::Tokio1),
121 };
122 let pool = builder
123 .max_size(config.knobs.connection_pool_max_size())
124 .post_create(Hook::async_fn(move |client, _| {
125 connections_created.inc();
126 Box::pin(async move {
127 debug!("opened new consensus postgres connection");
128 client.batch_execute(
129 "SET SESSION CHARACTERISTICS AS TRANSACTION ISOLATION LEVEL SERIALIZABLE",
130 ).await.map_err(|e| HookError::Abort(HookErrorCause::Backend(e)))
131 })
132 }))
133 .pre_recycle(Hook::sync_fn(move |_client, conn_metrics| {
134 if conn_metrics.age() < config.knobs.connection_pool_ttl() {
141 return Ok(());
142 }
143
144 let last_ttl = last_ttl_connection.load(Ordering::SeqCst);
145 let now = (SYSTEM_TIME)();
146 let elapsed_since_last_ttl = Duration::from_millis(now.saturating_sub(last_ttl));
147
148 if elapsed_since_last_ttl > config.knobs.connection_pool_ttl_stagger()
150 && last_ttl_connection
151 .compare_exchange_weak(last_ttl, now, Ordering::SeqCst, Ordering::SeqCst)
152 .is_ok()
153 {
154 ttl_reconnections.inc();
155 return Err(HookError::Continue(Some(HookErrorCause::Message(
156 "connection has been TTLed".to_string(),
157 ))));
158 }
159
160 Ok(())
161 }))
162 .build()
163 .expect("postgres connection pool built with incorrect parameters");
164
165 Ok(PostgresClient {
166 pool,
167 metrics: config.metrics,
168 })
169 }
170
171 fn status_metrics(&self, status: Status) {
172 self.metrics
173 .connpool_available
174 .set(f64::cast_lossy(status.available));
175 self.metrics.connpool_size.set(u64::cast_from(status.size));
176 }
178
179 pub async fn get_connection(&self) -> Result<Object, PoolError> {
181 let start = Instant::now();
182 self.status_metrics(self.pool.status());
184 let res = self.pool.get().await;
185 if let Err(PoolError::Backend(err)) = &res {
186 debug!("error establishing connection: {}", err);
187 self.metrics.connpool_connection_errors.inc();
188 }
189 self.metrics
190 .connpool_acquire_seconds
191 .inc_by(start.elapsed().as_secs_f64());
192 self.metrics.connpool_acquires.inc();
193 self.status_metrics(self.pool.status());
194 res
195 }
196}