1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129
#![cfg_attr(not(feature = "filesystem"), allow(unused))]
use crate::cache::Cache;
use crate::hash::Hash;
use std::fs::{create_dir_all, File};
use std::io::{self, Write};
use std::path::PathBuf;
use wasmer::{AsEngineRef, DeserializeError, Module, SerializeError};
/// Representation of a directory that contains compiled wasm artifacts.
///
/// The `FileSystemCache` type implements the [`Cache`] trait, which allows it to be used
/// generically when some sort of cache is required.
///
/// # Usage
///
/// ```
/// use wasmer::{DeserializeError, SerializeError};
/// use wasmer_cache::{Cache, FileSystemCache, Hash};
///
/// # use wasmer::{Module};
/// fn store_module(module: &Module, bytes: &[u8]) -> Result<(), SerializeError> {
/// // Create a new file system cache.
/// let mut fs_cache = FileSystemCache::new("some/directory/goes/here")?;
///
/// // Compute a key for a given WebAssembly binary
/// let key = Hash::generate(bytes);
///
/// // Store a module into the cache given a key
/// fs_cache.store(key, module)?;
///
/// Ok(())
/// }
/// ```
#[derive(Debug, Clone)]
pub struct FileSystemCache {
path: PathBuf,
ext: Option<String>,
}
#[cfg(feature = "filesystem")]
impl FileSystemCache {
/// Construct a new `FileSystemCache` around the specified directory.
pub fn new<P: Into<PathBuf>>(path: P) -> io::Result<Self> {
let path: PathBuf = path.into();
if path.exists() {
let metadata = path.metadata()?;
if metadata.is_dir() {
if !metadata.permissions().readonly() {
Ok(Self { path, ext: None })
} else {
// This directory is readonly.
Err(io::Error::new(
io::ErrorKind::PermissionDenied,
format!("the supplied path is readonly: {}", path.display()),
))
}
} else {
// This path points to a file.
Err(io::Error::new(
io::ErrorKind::PermissionDenied,
format!(
"the supplied path already points to a file: {}",
path.display()
),
))
}
} else {
// Create the directory and any parent directories if they don't yet exist.
let res = create_dir_all(&path);
if res.is_err() {
Err(io::Error::new(
io::ErrorKind::Other,
format!("failed to create cache directory: {}", path.display()),
))
} else {
Ok(Self { path, ext: None })
}
}
}
/// Set the extension for this cached file.
///
/// This is needed for loading native files from Windows, as otherwise
/// loading the library will fail (it requires a `.dll` extension)
pub fn set_cache_extension(&mut self, ext: Option<impl ToString>) {
self.ext = ext.map(|ext| ext.to_string());
}
}
#[cfg(feature = "filesystem")]
impl Cache for FileSystemCache {
type DeserializeError = DeserializeError;
type SerializeError = SerializeError;
unsafe fn load(
&self,
engine: &impl AsEngineRef,
key: Hash,
) -> Result<Module, Self::DeserializeError> {
let filename = if let Some(ref ext) = self.ext {
format!("{}.{}", key, ext)
} else {
key.to_string()
};
let path = self.path.join(filename);
let ret = Module::deserialize_from_file(engine, path.clone());
if ret.is_err() {
// If an error occurs while deserializing then we can not trust it anymore
// so delete the cache file
let _ = std::fs::remove_file(path);
}
ret
}
fn store(&mut self, key: Hash, module: &Module) -> Result<(), Self::SerializeError> {
let filename = if let Some(ref ext) = self.ext {
format!("{}.{}", key, ext)
} else {
key.to_string()
};
let path = self.path.join(filename);
let mut file = File::create(path)?;
let buffer = module.serialize()?;
file.write_all(&buffer)?;
Ok(())
}
}