use anyhow::{ensure, Context, Result};
use std::{
path::PathBuf,
sync::atomic::{AtomicBool, Ordering},
};
use crate::fs::{create_dir_all, write_file};
const CONFIG_DIR: &str = "spin";
const REGISTRY_CACHE_DIR: &str = "registry";
const MANIFESTS_DIR: &str = "manifests";
const WASM_DIR: &str = "wasm";
const DATA_DIR: &str = "data";
#[derive(Debug)]
pub struct Cache {
root: PathBuf,
dirs_ensured_once: AtomicBool,
}
impl Cache {
pub async fn new(root: Option<PathBuf>) -> Result<Self> {
let root = match root {
Some(root) => root,
None => dirs::cache_dir()
.context("cannot get cache directory")?
.join(CONFIG_DIR),
};
let root = root.join(REGISTRY_CACHE_DIR);
Ok(Self {
root,
dirs_ensured_once: AtomicBool::new(false),
})
}
pub fn manifests_dir(&self) -> PathBuf {
self.root.join(MANIFESTS_DIR)
}
fn wasm_dir(&self) -> PathBuf {
self.root.join(WASM_DIR)
}
fn data_dir(&self) -> PathBuf {
self.root.join(DATA_DIR)
}
pub fn wasm_file(&self, digest: impl AsRef<str>) -> Result<PathBuf> {
let mut path = self.wasm_path(&digest);
if !path.exists() {
path = self.data_path(&digest);
}
ensure!(
path.exists(),
"cannot find wasm file for digest {}",
digest.as_ref()
);
Ok(path)
}
pub fn data_file(&self, digest: impl AsRef<str>) -> Result<PathBuf> {
let path = self.data_path(&digest);
ensure!(
path.exists(),
"cannot find data file for digest {}",
digest.as_ref()
);
Ok(path)
}
pub async fn write_wasm(&self, bytes: impl AsRef<[u8]>, digest: impl AsRef<str>) -> Result<()> {
self.ensure_dirs().await?;
write_file(&self.wasm_path(digest), bytes.as_ref()).await?;
Ok(())
}
pub async fn write_data(&self, bytes: impl AsRef<[u8]>, digest: impl AsRef<str>) -> Result<()> {
self.ensure_dirs().await?;
write_file(&self.data_path(digest), bytes.as_ref()).await?;
Ok(())
}
pub fn wasm_path(&self, digest: impl AsRef<str>) -> PathBuf {
self.wasm_dir().join(safe_name(digest).as_ref())
}
pub fn data_path(&self, digest: impl AsRef<str>) -> PathBuf {
self.data_dir().join(safe_name(digest).as_ref())
}
pub async fn ensure_dirs(&self) -> Result<()> {
tracing::debug!("using cache root directory {}", self.root.display());
if self.dirs_ensured_once.load(Ordering::Relaxed) {
return Ok(());
}
let root = &self.root;
let p = root.join(MANIFESTS_DIR);
if !p.is_dir() {
create_dir_all(&p).await.with_context(|| {
format!("failed to create manifests directory `{}`", p.display())
})?;
}
let p = root.join(WASM_DIR);
if !p.is_dir() {
create_dir_all(&p)
.await
.with_context(|| format!("failed to create wasm directory `{}`", p.display()))?;
}
let p = root.join(DATA_DIR);
if !p.is_dir() {
create_dir_all(&p)
.await
.with_context(|| format!("failed to create assets directory `{}`", p.display()))?;
}
self.dirs_ensured_once.store(true, Ordering::Relaxed);
Ok(())
}
}
#[cfg(windows)]
fn safe_name(digest: impl AsRef<str>) -> impl AsRef<std::path::Path> {
digest.as_ref().replace(':', "_")
}
#[cfg(not(windows))]
fn safe_name(digest: impl AsRef<str>) -> impl AsRef<str> {
digest
}
#[cfg(test)]
mod test {
use spin_common::sha256::hex_digest_from_bytes;
use super::*;
#[tokio::test]
async fn accepts_prefixed_digests() -> anyhow::Result<()> {
let temp_dir = tempfile::tempdir()?;
let cache = Cache::new(Some(temp_dir.path().to_owned())).await?;
let wasm = "Wasm".as_bytes();
let digest = format!("sha256:{}", hex_digest_from_bytes(wasm));
cache.write_wasm(wasm, &digest).await?;
assert_eq!(wasm, std::fs::read(cache.wasm_path(&digest))?);
let data = "hello".as_bytes();
let digest = format!("sha256:{}", hex_digest_from_bytes(data));
cache.write_data(data, &digest).await?;
assert_eq!(data, std::fs::read(cache.data_path(&digest))?);
Ok(())
}
}