pub mod auth;
pub(crate) mod client;
mod handlers;
pub mod hooks;
mod planner;
#[cfg(any(test, debug_assertions))]
pub mod testing;
use std::fs::File;
use std::io::{BufReader, Error as IOError, ErrorKind};
use std::sync::Arc;
use datafusion::prelude::SessionContext;
use getset::{Getters, Setters, WithSetters};
use log::{info, warn};
use pgwire::api::PgWireServerHandlers;
use pgwire::tokio::process_socket;
use rustls_pemfile::{certs, pkcs8_private_keys};
use rustls_pki_types::{CertificateDer, PrivateKeyDer};
use tokio::net::TcpListener;
use tokio::sync::Semaphore;
use tokio_rustls::rustls::{self, ServerConfig};
use tokio_rustls::TlsAcceptor;
use handlers::HandlerFactory;
pub use handlers::{DfSessionService, Parser};
pub use hooks::QueryHook;
pub use arrow_pg;
pub use datafusion_pg_catalog;
pub use pgwire;
#[derive(Getters, Setters, WithSetters, Debug)]
#[getset(get = "pub", set = "pub", set_with = "pub")]
pub struct ServerOptions {
host: String,
port: u16,
tls_cert_path: Option<String>,
tls_key_path: Option<String>,
max_connections: usize,
}
impl ServerOptions {
pub fn new() -> ServerOptions {
ServerOptions::default()
}
}
impl Default for ServerOptions {
fn default() -> Self {
ServerOptions {
host: "127.0.0.1".to_string(),
port: 5432,
tls_cert_path: None,
tls_key_path: None,
max_connections: 0, }
}
}
fn setup_tls(cert_path: &str, key_path: &str) -> Result<TlsAcceptor, IOError> {
let _ = rustls::crypto::ring::default_provider().install_default();
let cert = certs(&mut BufReader::new(File::open(cert_path)?))
.collect::<Result<Vec<CertificateDer>, IOError>>()?;
let key = pkcs8_private_keys(&mut BufReader::new(File::open(key_path)?))
.map(|key| key.map(PrivateKeyDer::from))
.collect::<Result<Vec<PrivateKeyDer>, IOError>>()?
.into_iter()
.next()
.ok_or_else(|| IOError::new(ErrorKind::InvalidInput, "No private key found"))?;
let config = ServerConfig::builder()
.with_no_client_auth()
.with_single_cert(cert, key)
.map_err(|err| IOError::new(ErrorKind::InvalidInput, err))?;
Ok(TlsAcceptor::from(Arc::new(config)))
}
pub async fn serve(
session_context: Arc<SessionContext>,
opts: &ServerOptions,
) -> Result<(), std::io::Error> {
#[cfg(feature = "postgis")]
geodatafusion::register(&session_context);
let factory = Arc::new(HandlerFactory::new(session_context));
serve_with_handlers(factory, opts).await
}
pub async fn serve_with_hooks(
session_context: Arc<SessionContext>,
opts: &ServerOptions,
hooks: Vec<Arc<dyn QueryHook>>,
) -> Result<(), std::io::Error> {
#[cfg(feature = "postgis")]
geodatafusion::register(&session_context);
let factory = Arc::new(HandlerFactory::new_with_hooks(session_context, hooks));
serve_with_handlers(factory, opts).await
}
pub async fn serve_with_handlers(
handlers: Arc<impl PgWireServerHandlers + Sync + Send + 'static>,
opts: &ServerOptions,
) -> Result<(), std::io::Error> {
let tls_acceptor =
if let (Some(cert_path), Some(key_path)) = (&opts.tls_cert_path, &opts.tls_key_path) {
match setup_tls(cert_path, key_path) {
Ok(acceptor) => {
info!("TLS enabled using cert: {cert_path} and key: {key_path}");
Some(acceptor)
}
Err(e) => {
warn!("Failed to setup TLS: {e}. Running without encryption.");
None
}
}
} else {
info!("TLS not configured. Running without encryption.");
None
};
let server_addr = format!("{}:{}", opts.host, opts.port);
let listener = TcpListener::bind(&server_addr).await?;
if tls_acceptor.is_some() {
info!("Listening on {server_addr} with TLS encryption");
} else {
info!("Listening on {server_addr} (unencrypted)");
}
let max_conn_count = opts.max_connections;
let connection_limiter = if max_conn_count > 0 {
Some(Arc::new(Semaphore::new(max_conn_count)))
} else {
None
};
loop {
match listener.accept().await {
Ok((socket, addr)) => {
let factory_ref = handlers.clone();
let tls_acceptor_ref = tls_acceptor.clone();
let limiter_ref = connection_limiter.clone();
tokio::spawn(async move {
let _permit = if let Some(ref semaphore) = limiter_ref {
match semaphore.try_acquire() {
Ok(permit) => Some(permit),
Err(_) => {
warn!("Connection rejected from {addr}: max connections ({max_conn_count}) reached");
return;
}
}
} else {
None
};
if let Err(e) = process_socket(socket, tls_acceptor_ref, factory_ref).await {
warn!("Error processing socket from {addr}: {e}");
}
});
}
Err(e) => {
warn!("Error accept socket: {e}");
}
}
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_server_options_default_max_connections() {
let opts = ServerOptions::default();
assert_eq!(opts.max_connections, 0); }
#[test]
fn test_server_options_max_connections_configuration() {
let opts = ServerOptions::new().with_max_connections(500);
assert_eq!(opts.max_connections, 500);
let opts_no_limit = ServerOptions::new().with_max_connections(0);
assert_eq!(opts_no_limit.max_connections, 0);
}
}