File size: 2,291 Bytes
1e92f2d |
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 |
use std::{env::current_dir, path::PathBuf};
use anyhow::{Context, Result};
use dunce::canonicalize;
use serde::{Deserialize, Serialize};
use turbo_rcstr::RcStr;
use turbo_tasks::{NonLocalValue, TaskInput, Vc, trace::TraceRawVcs};
use turbo_tasks_fs::{DiskFileSystem, FileSystem};
#[derive(
Clone, Debug, TaskInput, Hash, PartialEq, Eq, NonLocalValue, Serialize, Deserialize, TraceRawVcs,
)]
pub enum EntryRequest {
Relative(RcStr),
Module(RcStr, RcStr),
}
pub struct NormalizedDirs {
/// Normalized project directory path as an absolute path
pub project_dir: RcStr,
/// Normalized root directory path as an absolute path
pub root_dir: RcStr,
}
/// Normalizes (canonicalizes and represents as an absolute path in a String)
/// the project and root directories.
pub fn normalize_dirs(
project_dir: &Option<PathBuf>,
root_dir: &Option<PathBuf>,
) -> Result<NormalizedDirs> {
let project_dir: RcStr = project_dir
.as_ref()
.map(canonicalize)
.unwrap_or_else(current_dir)
.context("project directory can't be found")?
.to_str()
.context("project directory contains invalid characters")?
.into();
let root_dir = match root_dir.as_ref() {
Some(root) => canonicalize(root)
.context("root directory can't be found")?
.to_str()
.context("root directory contains invalid characters")?
.into(),
None => project_dir.clone(),
};
Ok(NormalizedDirs {
project_dir,
root_dir,
})
}
pub fn normalize_entries(entries: &Option<Vec<String>>) -> Vec<RcStr> {
entries
.as_ref()
.map(|v| v.iter().map(|v| RcStr::from(&**v)).collect())
.unwrap_or_else(|| vec!["src/entry".into()])
}
#[turbo_tasks::function]
pub async fn project_fs(project_dir: RcStr, watch: bool) -> Result<Vc<Box<dyn FileSystem>>> {
let disk_fs = DiskFileSystem::new("project".into(), project_dir, vec![]);
if watch {
disk_fs.await?.start_watching(None).await?;
}
Ok(Vc::upcast(disk_fs))
}
#[turbo_tasks::function]
pub fn output_fs(project_dir: RcStr) -> Result<Vc<Box<dyn FileSystem>>> {
let disk_fs = DiskFileSystem::new("output".into(), project_dir, vec![]);
Ok(Vc::upcast(disk_fs))
}
|