wip: designing acme

This commit is contained in:
Jun Kurihara 2024-07-13 04:29:53 +09:00
commit 9b9622edc5
No known key found for this signature in database
GPG key ID: 48ADFD173ED22B03
6 changed files with 235 additions and 96 deletions

View file

@ -15,3 +15,17 @@ url = { version = "2.5.2" }
rustc-hash = "2.0.0" rustc-hash = "2.0.0"
thiserror = "1.0.62" thiserror = "1.0.62"
tracing = "0.1.40" tracing = "0.1.40"
async-trait = "0.1.81"
base64 = "0.22.1"
aws-lc-rs = { version = "1.8.0", default-features = false, features = [
"aws-lc-sys",
] }
blocking = "1.6.1"
rustls = { version = "0.23.11", default-features = false, features = [
"std",
"aws_lc_rs",
] }
rustls-platform-verifier = { version = "0.3.2" }
rustls-acme = { path = "../../rustls-acme/", default-features = false, features = [
"aws-lc-rs",
] }

View file

@ -5,10 +5,4 @@ pub const ACME_DIR_URL: &str = "https://acme-v02.api.letsencrypt.org/directory";
pub const ACME_REGISTRY_PATH: &str = "./acme_registry"; pub const ACME_REGISTRY_PATH: &str = "./acme_registry";
/// ACME accounts directory, subdirectory of ACME_REGISTRY_PATH /// ACME accounts directory, subdirectory of ACME_REGISTRY_PATH
pub(crate) const ACME_ACCOUNT_SUBDIR: &str = "account"; pub(crate) const ACME_ACCOUNT_SUBDIR: &str = "accounts";
/// ACME private key file name
pub const ACME_PRIVATE_KEY_FILE_NAME: &str = "private_key.pem";
/// ACME certificate file name
pub const ACME_CERTIFICATE_FILE_NAME: &str = "certificate.pem";

107
rpxy-acme/src/dir_cache.rs Normal file
View file

@ -0,0 +1,107 @@
use crate::constants::ACME_ACCOUNT_SUBDIR;
use async_trait::async_trait;
use aws_lc_rs as crypto;
use base64::prelude::*;
use blocking::unblock;
use crypto::digest::{Context, SHA256};
use rustls_acme::{AccountCache, CertCache};
use std::{
io::ErrorKind,
path::{Path, PathBuf},
};
enum FileType {
Account,
Cert,
}
#[derive(Debug)]
pub struct DirCache {
account_dir: PathBuf,
cert_dir: PathBuf,
}
impl DirCache {
pub fn new<P>(dir: P, server_name: impl AsRef<Path>) -> Self
where
P: AsRef<Path>,
{
Self {
account_dir: dir.as_ref().join(ACME_ACCOUNT_SUBDIR),
cert_dir: dir.as_ref().join(server_name),
}
}
async fn read_if_exist(&self, file: impl AsRef<Path>, file_type: FileType) -> Result<Option<Vec<u8>>, std::io::Error> {
let subdir = match file_type {
FileType::Account => &self.account_dir,
FileType::Cert => &self.cert_dir,
};
let file_path = subdir.join(file);
match unblock(move || std::fs::read(file_path)).await {
Ok(content) => Ok(Some(content)),
Err(err) => match err.kind() {
ErrorKind::NotFound => Ok(None),
_ => Err(err),
},
}
}
async fn write(&self, file: impl AsRef<Path>, contents: impl AsRef<[u8]>, file_type: FileType) -> Result<(), std::io::Error> {
let subdir = match file_type {
FileType::Account => &self.account_dir,
FileType::Cert => &self.cert_dir,
}
.clone();
let subdir_clone = subdir.clone();
unblock(move || std::fs::create_dir_all(subdir_clone)).await?;
let file_path = subdir.join(file);
let contents = contents.as_ref().to_owned();
unblock(move || std::fs::write(file_path, contents)).await
}
pub fn cached_account_file_name(contact: &[String], directory_url: impl AsRef<str>) -> String {
let mut ctx = Context::new(&SHA256);
for el in contact {
ctx.update(el.as_ref());
ctx.update(&[0])
}
ctx.update(directory_url.as_ref().as_bytes());
let hash = BASE64_URL_SAFE_NO_PAD.encode(ctx.finish());
format!("cached_account_{}", hash)
}
pub fn cached_cert_file_name(domains: &[String], directory_url: impl AsRef<str>) -> String {
let mut ctx = Context::new(&SHA256);
for domain in domains {
ctx.update(domain.as_ref());
ctx.update(&[0])
}
ctx.update(directory_url.as_ref().as_bytes());
let hash = BASE64_URL_SAFE_NO_PAD.encode(ctx.finish());
format!("cached_cert_{}", hash)
}
}
#[async_trait]
impl CertCache for DirCache {
type EC = std::io::Error;
async fn load_cert(&self, domains: &[String], directory_url: &str) -> Result<Option<Vec<u8>>, Self::EC> {
let file_name = Self::cached_cert_file_name(domains, directory_url);
self.read_if_exist(file_name, FileType::Cert).await
}
async fn store_cert(&self, domains: &[String], directory_url: &str, cert: &[u8]) -> Result<(), Self::EC> {
let file_name = Self::cached_cert_file_name(domains, directory_url);
self.write(file_name, cert, FileType::Cert).await
}
}
#[async_trait]
impl AccountCache for DirCache {
type EA = std::io::Error;
async fn load_account(&self, contact: &[String], directory_url: &str) -> Result<Option<Vec<u8>>, Self::EA> {
let file_name = Self::cached_account_file_name(contact, directory_url);
self.read_if_exist(file_name, FileType::Account).await
}
async fn store_account(&self, contact: &[String], directory_url: &str, account: &[u8]) -> Result<(), Self::EA> {
let file_name = Self::cached_account_file_name(contact, directory_url);
self.write(file_name, account, FileType::Account).await
}
}

View file

@ -1,4 +1,5 @@
mod constants; mod constants;
mod dir_cache;
mod error; mod error;
mod targets; mod targets;
@ -7,6 +8,7 @@ mod log {
pub(super) use tracing::{debug, error, info, warn}; pub(super) use tracing::{debug, error, info, warn};
} }
pub use constants::{ACME_CERTIFICATE_FILE_NAME, ACME_DIR_URL, ACME_PRIVATE_KEY_FILE_NAME, ACME_REGISTRY_PATH}; pub use constants::{ACME_DIR_URL, ACME_REGISTRY_PATH};
pub use dir_cache::DirCache;
pub use error::RpxyAcmeError; pub use error::RpxyAcmeError;
pub use targets::AcmeTargets; pub use targets::AcmeContexts;

View file

@ -1,83 +1,96 @@
use rustc_hash::FxHashMap as HashMap; use crate::dir_cache::DirCache;
use std::path::PathBuf;
use url::Url;
use crate::{ use crate::{
constants::{ACME_ACCOUNT_SUBDIR, ACME_CERTIFICATE_FILE_NAME, ACME_DIR_URL, ACME_PRIVATE_KEY_FILE_NAME, ACME_REGISTRY_PATH}, constants::{ACME_DIR_URL, ACME_REGISTRY_PATH},
error::RpxyAcmeError, error::RpxyAcmeError,
log::*, log::*,
}; };
use rustc_hash::FxHashMap as HashMap;
use rustls_acme::AcmeConfig;
use std::{fmt::Debug, path::PathBuf, sync::Arc};
use url::Url;
#[derive(Debug)] #[derive(Debug)]
/// ACME settings /// ACME settings
pub struct AcmeTargets { pub struct AcmeContexts<EC, EA = EC>
/// ACME account email where
pub email: String, EC: Debug + 'static,
EA: Debug + 'static,
{
/// ACME directory url /// ACME directory url
pub acme_dir_url: Url, acme_dir_url: Url,
/// ACME registry path that stores account key and certificate /// ACME registry directory
pub acme_registry_path: PathBuf, acme_registry_dir: PathBuf,
/// ACME accounts directory, subdirectory of ACME_REGISTRY_PATH /// ACME contacts
pub acme_accounts_dir: PathBuf, contacts: Vec<String>,
/// ACME target info map /// ACME config
pub acme_targets: HashMap<String, AcmeTargetInfo>, inner: HashMap<String, Box<AcmeConfig<EC, EA>>>,
} }
#[derive(Debug)] impl AcmeContexts<std::io::Error> {
/// ACME settings for each server name /// Create a new instance. Note that for each domain, a new AcmeConfig is created.
pub struct AcmeTargetInfo { /// This means that for each domain, a distinct operation will be dispatched and separated certificates will be generated.
/// Server name pub fn try_new(
pub server_name: String, acme_dir_url: Option<&str>,
/// private key path acme_registry_dir: Option<&str>,
pub private_key_path: PathBuf, contacts: &[String],
/// certificate path domains: &[String],
pub certificate_path: PathBuf, ) -> Result<Self, RpxyAcmeError> {
} let acme_registry_dir = acme_registry_dir
.map(|v| v.to_ascii_lowercase())
.map_or_else(|| PathBuf::from(ACME_REGISTRY_PATH), PathBuf::from);
if acme_registry_dir.exists() && !acme_registry_dir.is_dir() {
return Err(RpxyAcmeError::InvalidAcmeRegistryPath);
}
let acme_dir_url = acme_dir_url
.map(|v| v.to_ascii_lowercase())
.as_deref()
.map_or_else(|| Url::parse(ACME_DIR_URL), Url::parse)?;
let contacts = contacts.iter().map(|email| format!("mailto:{email}")).collect::<Vec<_>>();
let rustls_client_config = rustls::ClientConfig::builder()
.dangerous() // The `Verifier` we're using is actually safe
.with_custom_certificate_verifier(std::sync::Arc::new(rustls_platform_verifier::Verifier::new()))
.with_no_client_auth();
let rustls_client_config = Arc::new(rustls_client_config);
impl AcmeTargets { let inner = domains
/// Create a new instance .iter()
pub fn try_new(email: &str, acme_dir_url: Option<&str>, acme_registry_path: Option<&str>) -> Result<Self, RpxyAcmeError> { .map(|domain| {
let acme_dir_url = Url::parse(acme_dir_url.unwrap_or(ACME_DIR_URL))?; let dir_cache = DirCache::new(&acme_registry_dir, domain);
let acme_registry_path = acme_registry_path.map_or_else(|| PathBuf::from(ACME_REGISTRY_PATH), PathBuf::from); let config = AcmeConfig::new([domain])
if acme_registry_path.exists() && !acme_registry_path.is_dir() { .contact(&contacts)
return Err(RpxyAcmeError::InvalidAcmeRegistryPath); .cache(dir_cache)
} .directory(acme_dir_url.as_str())
let acme_account_dir = acme_registry_path.join(ACME_ACCOUNT_SUBDIR); .client_tls_config(rustls_client_config.clone());
if acme_account_dir.exists() && !acme_account_dir.is_dir() { let config = Box::new(config);
return Err(RpxyAcmeError::InvalidAcmeRegistryPath); (domain.to_ascii_lowercase(), config)
} })
std::fs::create_dir_all(&acme_account_dir)?; .collect::<HashMap<_, _>>();
Ok(Self { Ok(Self {
email: email.to_owned(),
acme_dir_url, acme_dir_url,
acme_registry_path, acme_registry_dir,
acme_accounts_dir: acme_account_dir, contacts,
acme_targets: HashMap::default(), inner,
}) })
} }
}
/// Add a new target #[cfg(test)]
/// Write dummy cert and key files if not exists mod tests {
pub fn add_target(&mut self, server_name: &str) -> Result<(), RpxyAcmeError> { use super::*;
info!("Adding ACME target: {}", server_name);
let parent_dir = self.acme_registry_path.join(server_name);
let private_key_path = parent_dir.join(ACME_PRIVATE_KEY_FILE_NAME);
let certificate_path = parent_dir.join(ACME_CERTIFICATE_FILE_NAME);
if !parent_dir.exists() { #[test]
warn!("Creating ACME target directory: {}", parent_dir.display()); fn test_try_new() {
std::fs::create_dir_all(parent_dir)?; let acme_dir_url = "https://acme.example.com/directory";
} let acme_registry_dir = "/tmp/acme";
let contacts = vec!["test@example.com".to_string()];
self.acme_targets.insert( let acme_contexts: AcmeContexts<std::io::Error> = AcmeContexts::try_new(
server_name.to_owned(), Some(acme_dir_url),
AcmeTargetInfo { Some(acme_registry_dir),
server_name: server_name.to_owned(), &contacts,
private_key_path, &["example.com".to_string(), "example.org".to_string()],
certificate_path, )
}, .unwrap();
); println!("{:#?}", acme_contexts);
Ok(())
} }
} }

View file

@ -7,7 +7,7 @@ use rpxy_lib::{AppConfig, AppConfigList, ProxyConfig};
use rustc_hash::FxHashMap as HashMap; use rustc_hash::FxHashMap as HashMap;
#[cfg(feature = "acme")] #[cfg(feature = "acme")]
use rpxy_acme::{AcmeTargets, ACME_CERTIFICATE_FILE_NAME, ACME_PRIVATE_KEY_FILE_NAME, ACME_REGISTRY_PATH}; use rpxy_acme::{ACME_DIR_URL, ACME_REGISTRY_PATH};
/// Parsed options /// Parsed options
pub struct Opts { pub struct Opts {
@ -110,7 +110,12 @@ pub async fn build_cert_manager(
#[cfg(feature = "acme")] #[cfg(feature = "acme")]
let acme_option = config.experimental.as_ref().and_then(|v| v.acme.clone()); let acme_option = config.experimental.as_ref().and_then(|v| v.acme.clone());
#[cfg(feature = "acme")] #[cfg(feature = "acme")]
let registry_path = acme_option let acme_dir_url = acme_option
.as_ref()
.and_then(|v| v.dir_url.as_deref())
.unwrap_or(ACME_DIR_URL);
#[cfg(feature = "acme")]
let acme_registry_path = acme_option
.as_ref() .as_ref()
.and_then(|v| v.registry_path.as_deref()) .and_then(|v| v.registry_path.as_deref())
.unwrap_or(ACME_REGISTRY_PATH); .unwrap_or(ACME_REGISTRY_PATH);
@ -128,8 +133,12 @@ pub async fn build_cert_manager(
let mut tls = tls.clone(); let mut tls = tls.clone();
if let Some(true) = tls.acme { if let Some(true) = tls.acme {
ensure!(acme_option.is_some() && tls.tls_cert_key_path.is_none() && tls.tls_cert_path.is_none()); ensure!(acme_option.is_some() && tls.tls_cert_key_path.is_none() && tls.tls_cert_path.is_none());
tls.tls_cert_key_path = Some(format!("{registry_path}/{server_name}/{ACME_CERTIFICATE_FILE_NAME}")); // Both of tls_cert_key_path and tls_cert_path must be the same for ACME since it's a single file
tls.tls_cert_path = Some(format!("{registry_path}/{server_name}/{ACME_PRIVATE_KEY_FILE_NAME}")); let subdir = format!("{}/{}", acme_registry_path, server_name.to_ascii_lowercase());
let file_name =
rpxy_acme::DirCache::cached_cert_file_name(&[server_name.to_ascii_lowercase()], acme_dir_url.to_ascii_lowercase());
tls.tls_cert_key_path = Some(format!("{}/{}", subdir, file_name));
tls.tls_cert_path = Some(format!("{}/{}", subdir, file_name));
} }
tls tls
}; };
@ -151,27 +160,27 @@ pub async fn build_cert_manager(
/// Build acme manager and dummy cert and key as initial states if not exists /// Build acme manager and dummy cert and key as initial states if not exists
/// TODO: CURRENTLY NOT IMPLEMENTED, UNDER DESIGNING /// TODO: CURRENTLY NOT IMPLEMENTED, UNDER DESIGNING
pub async fn build_acme_manager(config: &ConfigToml) -> Result<(), anyhow::Error> { pub async fn build_acme_manager(config: &ConfigToml) -> Result<(), anyhow::Error> {
let acme_option = config.experimental.as_ref().and_then(|v| v.acme.clone()); // let acme_option = config.experimental.as_ref().and_then(|v| v.acme.clone());
if acme_option.is_none() { // if acme_option.is_none() {
return Ok(()); // return Ok(());
} // }
let acme_option = acme_option.unwrap(); // let acme_option = acme_option.unwrap();
let mut acme_targets = AcmeTargets::try_new( // let mut acme_targets = AcmeTargets::try_new(
acme_option.email.as_ref(), // acme_option.email.as_ref(),
acme_option.dir_url.as_deref(), // acme_option.dir_url.as_deref(),
acme_option.registry_path.as_deref(), // acme_option.registry_path.as_deref(),
) // )
.map_err(|e| anyhow!("Invalid acme configuration: {e}"))?; // .map_err(|e| anyhow!("Invalid acme configuration: {e}"))?;
let apps = config.apps.as_ref().unwrap(); // let apps = config.apps.as_ref().unwrap();
for app in apps.0.values() { // for app in apps.0.values() {
if let Some(tls) = app.tls.as_ref() { // if let Some(tls) = app.tls.as_ref() {
if tls.acme.unwrap_or(false) { // if tls.acme.unwrap_or(false) {
acme_targets.add_target(app.server_name.as_ref().unwrap())?; // acme_targets.add_target(app.server_name.as_ref().unwrap())?;
} // }
} // }
} // }
// TODO: remove later // TODO: remove later
println!("ACME targets: {:#?}", acme_targets); // println!("ACME targets: {:#?}", acme_targets);
Ok(()) Ok(())
} }