2026-03-12 10:24:29 +01:00

420 lines
13 KiB
Rust

use std::{
collections::HashMap,
env, fs,
net::Ipv4Addr,
path::{Path, PathBuf},
};
use anyhow::{Context as _, Result, bail};
use cfgsync_core::{
CFGSYNC_SCHEMA_VERSION, Client as ProtocolClient, NodeArtifactFile, NodeArtifactsPayload,
NodeRegistration, RegistrationPayload,
};
use thiserror::Error;
use tokio::time::{Duration, sleep};
use tracing::info;
const FETCH_ATTEMPTS: usize = 5;
const FETCH_RETRY_DELAY: Duration = Duration::from_millis(250);
/// Output routing for fetched artifact files.
#[derive(Debug, Clone, Default)]
pub struct OutputMap {
routes: HashMap<String, PathBuf>,
fallback: Option<FallbackRoute>,
}
#[derive(Debug, Clone)]
enum FallbackRoute {
Under(PathBuf),
Shared { dir: PathBuf },
}
impl OutputMap {
/// Creates an empty artifact output map.
#[must_use]
pub fn new() -> Self {
Self::default()
}
/// Routes one artifact path from the payload to a local output path.
#[must_use]
pub fn route(mut self, artifact_path: String, output_path: PathBuf) -> Self {
self.routes.insert(artifact_path, output_path);
self
}
/// Writes payload files under `root`, preserving each artifact path.
///
/// For example, `/config.yaml` is written to `<root>/config.yaml` and
/// `shared/deployment-settings.yaml` is written to
/// `<root>/shared/deployment-settings.yaml`.
#[must_use]
pub fn under(root: PathBuf) -> Self {
Self {
routes: HashMap::new(),
fallback: Some(FallbackRoute::Under(root)),
}
}
/// Writes the node config to `config_path` and all other files under
/// `shared_dir`, preserving their relative artifact paths.
#[must_use]
pub fn config_and_shared(config_path: PathBuf, shared_dir: PathBuf) -> Self {
Self::default()
.route("/config.yaml".to_string(), config_path.clone())
.route("config.yaml".to_string(), config_path)
.with_fallback(FallbackRoute::Shared { dir: shared_dir })
}
fn resolve_path(&self, file: &NodeArtifactFile) -> PathBuf {
self.routes
.get(&file.path)
.cloned()
.or_else(|| {
self.fallback
.as_ref()
.map(|fallback| fallback.resolve(&file.path))
})
.unwrap_or_else(|| PathBuf::from(&file.path))
}
fn with_fallback(mut self, fallback: FallbackRoute) -> Self {
self.fallback = Some(fallback);
self
}
}
impl FallbackRoute {
fn resolve(&self, artifact_path: &str) -> PathBuf {
let relative = artifact_path.trim_start_matches('/');
match self {
FallbackRoute::Under(root) => root.join(relative),
FallbackRoute::Shared { dir } => dir.join(relative),
}
}
}
/// Runtime-oriented cfgsync client that handles registration, fetch, and local
/// artifact materialization.
#[derive(Debug, Clone)]
pub struct Client {
inner: ProtocolClient,
}
impl Client {
/// Creates a runtime client that talks to the cfgsync server at
/// `server_addr`.
#[must_use]
pub fn new(server_addr: &str) -> Self {
Self {
inner: ProtocolClient::new(server_addr.to_string()),
}
}
/// Registers a node and fetches its artifact payload from cfgsync.
pub async fn register_and_fetch(
&self,
registration: &NodeRegistration,
) -> Result<NodeArtifactsPayload> {
self.register_node(registration).await?;
let payload = self
.fetch_with_retry(registration)
.await
.context("fetching node artifacts")?;
ensure_schema_version(&payload)?;
Ok(payload)
}
/// Registers a node, fetches its artifact payload, and writes the result
/// using the provided output routing policy.
pub async fn fetch_and_write(
&self,
registration: &NodeRegistration,
outputs: &OutputMap,
) -> Result<()> {
let payload = self.register_and_fetch(registration).await?;
let files = collect_payload_files(&payload)?;
for file in files {
write_file(file, outputs)?;
}
info!(files = files.len(), "cfgsync files saved");
Ok(())
}
async fn fetch_with_retry(
&self,
registration: &NodeRegistration,
) -> Result<NodeArtifactsPayload> {
for attempt in 1..=FETCH_ATTEMPTS {
match self.fetch_once(registration).await {
Ok(config) => return Ok(config),
Err(error) => {
if attempt == FETCH_ATTEMPTS {
return Err(error).with_context(|| {
format!("fetching node artifacts after {attempt} attempts")
});
}
sleep(FETCH_RETRY_DELAY).await;
}
}
}
unreachable!("cfgsync fetch loop always returns before exhausting attempts");
}
async fn fetch_once(&self, registration: &NodeRegistration) -> Result<NodeArtifactsPayload> {
self.inner
.fetch_node_config(registration)
.await
.map_err(Into::into)
}
async fn register_node(&self, registration: &NodeRegistration) -> Result<()> {
for attempt in 1..=FETCH_ATTEMPTS {
match self.inner.register_node(registration).await {
Ok(()) => {
info!(identifier = %registration.identifier, "cfgsync node registered");
return Ok(());
}
Err(error) => {
if attempt == FETCH_ATTEMPTS {
return Err(error).with_context(|| {
format!("registering node with cfgsync after {attempt} attempts")
});
}
sleep(FETCH_RETRY_DELAY).await;
}
}
}
unreachable!("cfgsync register loop always returns before exhausting attempts");
}
}
#[derive(Debug, Error)]
enum ClientEnvError {
#[error("CFG_HOST_IP `{value}` is not a valid IPv4 address")]
InvalidIp { value: String },
}
fn ensure_schema_version(config: &NodeArtifactsPayload) -> Result<()> {
if config.schema_version != CFGSYNC_SCHEMA_VERSION {
bail!(
"unsupported cfgsync payload schema version {}, expected {}",
config.schema_version,
CFGSYNC_SCHEMA_VERSION
);
}
Ok(())
}
fn collect_payload_files(config: &NodeArtifactsPayload) -> Result<&[NodeArtifactFile]> {
if config.is_empty() {
bail!("cfgsync payload contains no files");
}
Ok(config.files())
}
fn write_file(file: &NodeArtifactFile, outputs: &OutputMap) -> Result<()> {
let path = outputs.resolve_path(file);
ensure_parent_dir(&path)?;
fs::write(&path, &file.content).with_context(|| format!("writing {}", path.display()))?;
info!(path = %path.display(), "cfgsync file saved");
Ok(())
}
fn ensure_parent_dir(path: &Path) -> Result<()> {
let Some(parent) = path.parent() else {
return Ok(());
};
if parent.as_os_str().is_empty() {
return Ok(());
}
fs::create_dir_all(parent)
.with_context(|| format!("creating parent directory {}", parent.display()))?;
Ok(())
}
/// Resolves runtime client inputs from environment and materializes node files.
pub async fn run_client_from_env(default_port: u16) -> Result<()> {
let server_addr =
env::var("CFG_SERVER_ADDR").unwrap_or_else(|_| format!("http://127.0.0.1:{default_port}"));
let ip = parse_ip_env(&env::var("CFG_HOST_IP").unwrap_or_else(|_| "127.0.0.1".to_owned()))?;
let identifier =
env::var("CFG_HOST_IDENTIFIER").unwrap_or_else(|_| "unidentified-node".to_owned());
let metadata = parse_registration_payload_env()?;
let outputs = build_output_map();
Client::new(&server_addr)
.fetch_and_write(
&NodeRegistration::new(identifier, ip).with_payload(metadata),
&outputs,
)
.await
}
fn parse_ip_env(ip_str: &str) -> Result<Ipv4Addr> {
ip_str
.parse()
.map_err(|_| ClientEnvError::InvalidIp {
value: ip_str.to_owned(),
})
.map_err(Into::into)
}
fn parse_registration_payload_env() -> Result<RegistrationPayload> {
let Ok(raw) = env::var("CFG_REGISTRATION_METADATA_JSON") else {
return Ok(RegistrationPayload::default());
};
parse_registration_payload(&raw)
}
fn parse_registration_payload(raw: &str) -> Result<RegistrationPayload> {
RegistrationPayload::from_json_str(raw).context("parsing CFG_REGISTRATION_METADATA_JSON")
}
fn build_output_map() -> OutputMap {
let mut outputs = OutputMap::default();
if let Ok(path) = env::var("CFG_FILE_PATH") {
let path = PathBuf::from(path);
outputs = outputs
.route("/config.yaml".to_string(), path.clone())
.route("config.yaml".to_string(), path);
}
if let Ok(path) = env::var("CFG_DEPLOYMENT_PATH") {
let path = PathBuf::from(path);
outputs = outputs
.route("/deployment.yaml".to_string(), path.clone())
.route("deployment-settings.yaml".to_string(), path.clone())
.route("/deployment-settings.yaml".to_string(), path);
}
outputs
}
#[cfg(test)]
mod tests {
use cfgsync_core::{
CfgsyncServerState, NodeArtifactsBundle, NodeArtifactsBundleEntry, StaticConfigSource,
};
use tempfile::tempdir;
use super::*;
#[tokio::test]
async fn client_materializes_multi_file_payload_from_cfgsync_server() {
let dir = tempdir().expect("create temp dir");
let app_config_path = dir.path().join("config.yaml");
let deployment_path = dir.path().join("deployment.yaml");
let bundle = NodeArtifactsBundle::new(vec![NodeArtifactsBundleEntry {
identifier: "node-1".to_owned(),
files: vec![
NodeArtifactFile::new(
app_config_path.to_string_lossy().into_owned(),
"app_key: app_value".to_string(),
),
NodeArtifactFile::new(
deployment_path.to_string_lossy().into_owned(),
"mode: local".to_string(),
),
],
}]);
let repo = StaticConfigSource::from_bundle(bundle);
let state = CfgsyncServerState::new(repo);
let port = allocate_test_port();
let address = format!("http://127.0.0.1:{port}");
let server = tokio::spawn(async move {
cfgsync_core::serve_cfgsync(port, state)
.await
.expect("run cfgsync server");
});
Client::new(&address)
.fetch_and_write(
&NodeRegistration::new(
"node-1".to_string(),
"127.0.0.1".parse().expect("parse ip"),
),
&OutputMap::default(),
)
.await
.expect("pull config files");
server.abort();
let _ = server.await;
let app_config = fs::read_to_string(&app_config_path).expect("read app config");
let deployment = fs::read_to_string(&deployment_path).expect("read deployment config");
assert_eq!(app_config, "app_key: app_value");
assert_eq!(deployment, "mode: local");
}
fn allocate_test_port() -> u16 {
let listener =
std::net::TcpListener::bind("127.0.0.1:0").expect("bind ephemeral port for test");
let port = listener.local_addr().expect("read local addr").port();
drop(listener);
port
}
#[test]
fn parses_registration_payload_object() {
#[derive(Debug, serde::Deserialize, PartialEq, Eq)]
struct ExamplePayload {
network_port: u16,
service: String,
}
let metadata = parse_registration_payload(r#"{"network_port":3000,"service":"blend"}"#)
.expect("parse metadata");
let payload: ExamplePayload = metadata
.deserialize()
.expect("deserialize payload")
.expect("payload value");
assert_eq!(
payload,
ExamplePayload {
network_port: 3000,
service: "blend".to_owned(),
}
);
}
#[test]
fn parses_registration_payload_array() {
let metadata = parse_registration_payload(r#"[1,2,3]"#).expect("parse metadata array");
let payload: Vec<u8> = metadata
.deserialize()
.expect("deserialize payload")
.expect("payload value");
assert_eq!(payload, vec![1, 2, 3]);
}
}