diff options
Diffstat (limited to 'cli/tools/vendor/test.rs')
-rw-r--r-- | cli/tools/vendor/test.rs | 240 |
1 files changed, 240 insertions, 0 deletions
diff --git a/cli/tools/vendor/test.rs b/cli/tools/vendor/test.rs new file mode 100644 index 000000000..b37e2b3b0 --- /dev/null +++ b/cli/tools/vendor/test.rs @@ -0,0 +1,240 @@ +// Copyright 2018-2022 the Deno authors. All rights reserved. MIT license. + +use std::cell::RefCell; +use std::collections::HashMap; +use std::collections::HashSet; +use std::path::Path; +use std::path::PathBuf; +use std::sync::Arc; + +use deno_ast::ModuleSpecifier; +use deno_core::anyhow::anyhow; +use deno_core::anyhow::bail; +use deno_core::error::AnyError; +use deno_core::futures; +use deno_core::serde_json; +use deno_graph::source::LoadFuture; +use deno_graph::source::LoadResponse; +use deno_graph::source::Loader; +use deno_graph::ModuleGraph; + +use super::build::VendorEnvironment; + +// Utilities that help `deno vendor` get tested in memory. + +type RemoteFileText = String; +type RemoteFileHeaders = Option<HashMap<String, String>>; +type RemoteFileResult = Result<(RemoteFileText, RemoteFileHeaders), String>; + +#[derive(Clone, Default)] +pub struct TestLoader { + files: HashMap<ModuleSpecifier, RemoteFileResult>, + redirects: HashMap<ModuleSpecifier, ModuleSpecifier>, +} + +impl TestLoader { + pub fn add( + &mut self, + path_or_specifier: impl AsRef<str>, + text: impl AsRef<str>, + ) -> &mut Self { + if path_or_specifier + .as_ref() + .to_lowercase() + .starts_with("http") + { + self.files.insert( + ModuleSpecifier::parse(path_or_specifier.as_ref()).unwrap(), + Ok((text.as_ref().to_string(), None)), + ); + } else { + let path = make_path(path_or_specifier.as_ref()); + let specifier = ModuleSpecifier::from_file_path(path).unwrap(); + self + .files + .insert(specifier, Ok((text.as_ref().to_string(), None))); + } + self + } + + pub fn add_with_headers( + &mut self, + specifier: impl AsRef<str>, + text: impl AsRef<str>, + headers: &[(&str, &str)], + ) -> &mut Self { + let headers = headers + .iter() + .map(|(key, value)| (key.to_string(), value.to_string())) + .collect(); + self.files.insert( + ModuleSpecifier::parse(specifier.as_ref()).unwrap(), + Ok((text.as_ref().to_string(), Some(headers))), + ); + self + } + + pub fn add_redirect( + &mut self, + from: impl AsRef<str>, + to: impl AsRef<str>, + ) -> &mut Self { + self.redirects.insert( + ModuleSpecifier::parse(from.as_ref()).unwrap(), + ModuleSpecifier::parse(to.as_ref()).unwrap(), + ); + self + } +} + +impl Loader for TestLoader { + fn load( + &mut self, + specifier: &ModuleSpecifier, + _is_dynamic: bool, + ) -> LoadFuture { + let specifier = self.redirects.get(specifier).unwrap_or(specifier); + let result = self.files.get(specifier).map(|result| match result { + Ok(result) => Ok(LoadResponse::Module { + specifier: specifier.clone(), + content: Arc::new(result.0.clone()), + maybe_headers: result.1.clone(), + }), + Err(err) => Err(err), + }); + let result = match result { + Some(Ok(result)) => Ok(Some(result)), + Some(Err(err)) => Err(anyhow!("{}", err)), + None if specifier.scheme() == "data" => { + deno_graph::source::load_data_url(specifier) + } + None => Ok(None), + }; + Box::pin(futures::future::ready(result)) + } +} + +#[derive(Default)] +struct TestVendorEnvironment { + directories: RefCell<HashSet<PathBuf>>, + files: RefCell<HashMap<PathBuf, String>>, +} + +impl VendorEnvironment for TestVendorEnvironment { + fn create_dir_all(&self, dir_path: &Path) -> Result<(), AnyError> { + let mut directories = self.directories.borrow_mut(); + for path in dir_path.ancestors() { + if !directories.insert(path.to_path_buf()) { + break; + } + } + Ok(()) + } + + fn write_file(&self, file_path: &Path, text: &str) -> Result<(), AnyError> { + let parent = file_path.parent().unwrap(); + if !self.directories.borrow().contains(parent) { + bail!("Directory not found: {}", parent.display()); + } + self + .files + .borrow_mut() + .insert(file_path.to_path_buf(), text.to_string()); + Ok(()) + } +} + +pub struct VendorOutput { + pub files: Vec<(String, String)>, + pub import_map: Option<serde_json::Value>, +} + +#[derive(Default)] +pub struct VendorTestBuilder { + entry_points: Vec<ModuleSpecifier>, + loader: TestLoader, +} + +impl VendorTestBuilder { + pub fn with_default_setup() -> Self { + let mut builder = VendorTestBuilder::default(); + builder.add_entry_point("/mod.ts"); + builder + } + + pub fn add_entry_point(&mut self, entry_point: impl AsRef<str>) -> &mut Self { + let entry_point = make_path(entry_point.as_ref()); + self + .entry_points + .push(ModuleSpecifier::from_file_path(entry_point).unwrap()); + self + } + + pub async fn build(&mut self) -> Result<VendorOutput, AnyError> { + let graph = self.build_graph().await; + let output_dir = make_path("/vendor"); + let environment = TestVendorEnvironment::default(); + super::build::build(&graph, &output_dir, &environment)?; + let mut files = environment.files.borrow_mut(); + let import_map = files.remove(&output_dir.join("import_map.json")); + let mut files = files + .iter() + .map(|(path, text)| (path_to_string(path), text.clone())) + .collect::<Vec<_>>(); + + files.sort_by(|a, b| a.0.cmp(&b.0)); + + Ok(VendorOutput { + import_map: import_map.map(|text| serde_json::from_str(&text).unwrap()), + files, + }) + } + + pub fn with_loader(&mut self, action: impl Fn(&mut TestLoader)) -> &mut Self { + action(&mut self.loader); + self + } + + async fn build_graph(&mut self) -> ModuleGraph { + let graph = deno_graph::create_graph( + self + .entry_points + .iter() + .map(|s| (s.to_owned(), deno_graph::ModuleKind::Esm)) + .collect(), + false, + None, + &mut self.loader, + None, + None, + None, + None, + ) + .await; + graph.lock().unwrap(); + graph.valid().unwrap(); + graph + } +} + +fn make_path(text: &str) -> PathBuf { + // This should work all in memory. We're waiting on + // https://github.com/servo/rust-url/issues/730 to provide + // a cross platform path here + assert!(text.starts_with('/')); + if cfg!(windows) { + PathBuf::from(format!("C:{}", text.replace("/", "\\"))) + } else { + PathBuf::from(text) + } +} + +fn path_to_string(path: &Path) -> String { + // inverse of the function above + let path = path.to_string_lossy(); + if cfg!(windows) { + path.replace("C:\\", "\\").replace('\\', "/") + } else { + path.to_string() + } +} |