rust-analyzer/crates/ra_project_model/src/lib.rs

596 lines
24 KiB
Rust
Raw Normal View History

//! FIXME: write short doc here
mod cargo_workspace;
mod json_project;
mod sysroot;
use std::{
2020-02-27 21:52:10 +00:00
fs::{read_dir, File, ReadDir},
io::{self, BufReader},
path::Path,
2020-05-08 12:54:29 +00:00
process::{Command, Output},
};
use anyhow::{bail, Context, Result};
use paths::{AbsPath, AbsPathBuf};
use ra_cfg::CfgOptions;
2020-06-11 09:04:09 +00:00
use ra_db::{CrateGraph, CrateName, Edition, Env, FileId};
2020-06-03 09:44:51 +00:00
use rustc_hash::{FxHashMap, FxHashSet};
2019-08-06 08:55:59 +00:00
use serde_json::from_reader;
pub use crate::{
2020-04-01 16:51:16 +00:00
cargo_workspace::{CargoConfig, CargoWorkspace, Package, Target, TargetKind},
json_project::JsonProject,
sysroot::Sysroot,
};
2020-03-18 12:56:46 +00:00
pub use ra_proc_macro::ProcMacroClient;
#[derive(Debug, Clone)]
pub enum ProjectWorkspace {
/// Project workspace was discovered by running `cargo metadata` and `rustc --print sysroot`.
Cargo { cargo: CargoWorkspace, sysroot: Sysroot },
/// Project workspace was manually specified using a `rust-project.json` file.
Json { project: JsonProject, project_location: AbsPathBuf },
2020-06-03 12:48:38 +00:00
}
2019-08-06 08:50:32 +00:00
/// `PackageRoot` describes a package root folder.
/// Which may be an external dependency, or a member of
/// the current workspace.
#[derive(Debug, Clone)]
2019-08-06 08:50:32 +00:00
pub struct PackageRoot {
/// Path to the root folder
path: AbsPathBuf,
/// Is a member of the current workspace
is_member: bool,
out_dir: Option<AbsPathBuf>,
}
2019-08-06 08:50:32 +00:00
impl PackageRoot {
pub fn new_member(path: AbsPathBuf) -> PackageRoot {
2020-06-10 10:08:35 +00:00
Self { path, is_member: true, out_dir: None }
}
pub fn new_non_member(path: AbsPathBuf) -> PackageRoot {
2020-06-10 10:08:35 +00:00
Self { path, is_member: false, out_dir: None }
}
pub fn path(&self) -> &AbsPath {
&self.path
}
pub fn out_dir(&self) -> Option<&AbsPath> {
2020-06-10 10:08:35 +00:00
self.out_dir.as_deref()
}
pub fn is_member(&self) -> bool {
self.is_member
}
}
2020-06-03 09:44:51 +00:00
#[derive(Debug, Clone, PartialEq, Eq, Hash, Ord, PartialOrd)]
2020-06-03 10:05:50 +00:00
pub enum ProjectManifest {
ProjectJson(AbsPathBuf),
CargoToml(AbsPathBuf),
}
2020-06-03 10:05:50 +00:00
impl ProjectManifest {
pub fn from_manifest_file(path: AbsPathBuf) -> Result<ProjectManifest> {
if path.ends_with("rust-project.json") {
2020-06-03 10:05:50 +00:00
return Ok(ProjectManifest::ProjectJson(path));
}
if path.ends_with("Cargo.toml") {
2020-06-03 10:05:50 +00:00
return Ok(ProjectManifest::CargoToml(path));
}
bail!("project root must point to Cargo.toml or rust-project.json: {}", path.display())
2019-08-19 12:41:18 +00:00
}
pub fn discover_single(path: &AbsPath) -> Result<ProjectManifest> {
2020-06-03 10:05:50 +00:00
let mut candidates = ProjectManifest::discover(path)?;
let res = match candidates.pop() {
None => bail!("no projects"),
Some(it) => it,
};
if !candidates.is_empty() {
bail!("more than one project")
}
Ok(res)
}
pub fn discover(path: &AbsPath) -> io::Result<Vec<ProjectManifest>> {
2020-05-08 23:51:59 +00:00
if let Some(project_json) = find_in_parent_dirs(path, "rust-project.json") {
2020-06-03 10:05:50 +00:00
return Ok(vec![ProjectManifest::ProjectJson(project_json)]);
}
return find_cargo_toml(path)
2020-06-03 10:05:50 +00:00
.map(|paths| paths.into_iter().map(ProjectManifest::CargoToml).collect());
fn find_cargo_toml(path: &AbsPath) -> io::Result<Vec<AbsPathBuf>> {
2020-05-08 23:51:59 +00:00
match find_in_parent_dirs(path, "Cargo.toml") {
Some(it) => Ok(vec![it]),
None => Ok(find_cargo_toml_in_child_dir(read_dir(path)?)),
}
2020-05-08 23:51:59 +00:00
}
fn find_in_parent_dirs(path: &AbsPath, target_file_name: &str) -> Option<AbsPathBuf> {
2020-05-08 23:51:59 +00:00
if path.ends_with(target_file_name) {
return Some(path.to_path_buf());
}
let mut curr = Some(path);
2020-05-08 23:51:59 +00:00
while let Some(path) = curr {
2020-05-08 23:51:59 +00:00
let candidate = path.join(target_file_name);
if candidate.exists() {
return Some(candidate);
}
curr = path.parent();
}
None
}
fn find_cargo_toml_in_child_dir(entities: ReadDir) -> Vec<AbsPathBuf> {
// Only one level down to avoid cycles the easy way and stop a runaway scan with large projects
2020-05-08 23:51:59 +00:00
entities
.filter_map(Result::ok)
.map(|it| it.path().join("Cargo.toml"))
.filter(|it| it.exists())
.map(AbsPathBuf::assert)
2020-05-08 23:51:59 +00:00
.collect()
}
}
2020-06-03 09:44:51 +00:00
pub fn discover_all(paths: &[impl AsRef<AbsPath>]) -> Vec<ProjectManifest> {
2020-06-03 09:44:51 +00:00
let mut res = paths
.iter()
2020-06-03 10:05:50 +00:00
.filter_map(|it| ProjectManifest::discover(it.as_ref()).ok())
2020-06-03 09:44:51 +00:00
.flatten()
.collect::<FxHashSet<_>>()
.into_iter()
.collect::<Vec<_>>();
res.sort();
res
}
}
impl ProjectWorkspace {
pub fn load(
2020-06-03 12:48:38 +00:00
manifest: ProjectManifest,
2020-04-01 16:51:16 +00:00
cargo_features: &CargoConfig,
with_sysroot: bool,
) -> Result<ProjectWorkspace> {
2020-06-03 12:48:38 +00:00
let res = match manifest {
2020-06-03 10:05:50 +00:00
ProjectManifest::ProjectJson(project_json) => {
let file = File::open(&project_json).with_context(|| {
format!("Failed to open json file {}", project_json.display())
})?;
let reader = BufReader::new(file);
let project_location = project_json.parent().unwrap().to_path_buf();
ProjectWorkspace::Json {
project: from_reader(reader).with_context(|| {
format!("Failed to deserialize json file {}", project_json.display())
})?,
project_location,
}
}
2020-06-03 10:05:50 +00:00
ProjectManifest::CargoToml(cargo_toml) => {
let cargo = CargoWorkspace::from_cargo_metadata(&cargo_toml, cargo_features)
.with_context(|| {
format!(
"Failed to read Cargo metadata from Cargo.toml file {}",
cargo_toml.display()
)
})?;
let sysroot = if with_sysroot {
Sysroot::discover(&cargo_toml).with_context(|| {
format!(
"Failed to find sysroot for Cargo.toml file {}. Is rust-src installed?",
cargo_toml.display()
)
})?
} else {
Sysroot::default()
};
ProjectWorkspace::Cargo { cargo, sysroot }
}
};
Ok(res)
}
2019-08-06 08:50:32 +00:00
/// Returns the roots for the current `ProjectWorkspace`
/// The return type contains the path and whether or not
/// the root is a member of the current workspace
2019-08-06 08:50:32 +00:00
pub fn to_roots(&self) -> Vec<PackageRoot> {
match self {
ProjectWorkspace::Json { project, project_location } => project
.roots
.iter()
.map(|r| PackageRoot::new_member(project_location.join(&r.path)))
.collect(),
2020-03-31 23:15:20 +00:00
ProjectWorkspace::Cargo { cargo, sysroot } => cargo
.packages()
.map(|pkg| PackageRoot {
path: cargo[pkg].root().to_path_buf(),
is_member: cargo[pkg].is_member,
2020-06-10 10:08:35 +00:00
out_dir: cargo[pkg].out_dir.clone(),
2020-03-31 23:15:20 +00:00
})
.chain(sysroot.crates().map(|krate| {
PackageRoot::new_non_member(sysroot[krate].root_dir().to_path_buf())
}))
.collect(),
}
}
pub fn proc_macro_dylib_paths(&self) -> Vec<AbsPathBuf> {
2020-03-18 12:56:46 +00:00
match self {
ProjectWorkspace::Json { project, project_location } => project
2020-04-01 00:01:30 +00:00
.crates
.iter()
.filter_map(|krate| krate.proc_macro_dylib_path.as_ref())
.map(|it| project_location.join(it))
2020-04-01 00:01:30 +00:00
.collect(),
ProjectWorkspace::Cargo { cargo, sysroot: _sysroot } => cargo
.packages()
.filter_map(|pkg| cargo[pkg].proc_macro_dylib_path.as_ref())
.cloned()
.collect(),
2020-03-18 12:56:46 +00:00
}
}
2019-08-06 08:54:51 +00:00
pub fn n_packages(&self) -> usize {
match self {
ProjectWorkspace::Json { project, .. } => project.crates.len(),
2019-08-06 08:54:51 +00:00
ProjectWorkspace::Cargo { cargo, sysroot } => {
cargo.packages().len() + sysroot.crates().len()
}
}
}
pub fn to_crate_graph(
&self,
target: Option<&str>,
2020-03-18 12:56:46 +00:00
proc_macro_client: &ProcMacroClient,
load: &mut dyn FnMut(&Path) -> Option<FileId>,
2020-03-08 13:26:57 +00:00
) -> CrateGraph {
let mut crate_graph = CrateGraph::default();
match self {
ProjectWorkspace::Json { project, project_location } => {
2020-04-01 00:13:39 +00:00
let crates: FxHashMap<_, _> = project
.crates
.iter()
.enumerate()
.filter_map(|(seq_index, krate)| {
let file_path = project_location.join(&krate.root_module);
let file_id = load(&file_path)?;
let edition = match krate.edition {
json_project::Edition::Edition2015 => Edition::Edition2015,
json_project::Edition::Edition2018 => Edition::Edition2018,
};
let cfg_options = {
let mut opts = CfgOptions::default();
for cfg in &krate.cfg {
match cfg.find('=') {
None => opts.insert_atom(cfg.into()),
Some(pos) => {
let key = &cfg[..pos];
let value = cfg[pos + 1..].trim_matches('"');
opts.insert_key_value(key.into(), value.into());
}
}
}
opts
};
2020-03-10 14:00:58 +00:00
let mut env = Env::default();
if let Some(out_dir) = &krate.out_dir {
2020-04-24 18:48:30 +00:00
// NOTE: cargo and rustc seem to hide non-UTF-8 strings from env! and option_env!()
if let Some(out_dir) = out_dir.to_str().map(|s| s.to_owned()) {
env.set("OUT_DIR", out_dir);
}
}
2020-03-18 12:56:46 +00:00
let proc_macro = krate
.proc_macro_dylib_path
.clone()
.map(|it| proc_macro_client.by_dylib_path(&it));
2020-03-10 14:00:58 +00:00
// FIXME: No crate name in json definition such that we cannot add OUT_DIR to env
2020-04-01 00:13:39 +00:00
Some((
json_project::CrateId(seq_index),
crate_graph.add_crate_root(
file_id,
edition,
2020-03-08 13:26:57 +00:00
// FIXME json definitions can store the crate name
None,
cfg_options,
env,
2020-03-18 12:56:46 +00:00
proc_macro.unwrap_or_default(),
),
2020-04-01 00:13:39 +00:00
))
})
.collect();
for (id, krate) in project.crates.iter().enumerate() {
for dep in &krate.deps {
let from_crate_id = json_project::CrateId(id);
let to_crate_id = dep.krate;
if let (Some(&from), Some(&to)) =
(crates.get(&from_crate_id), crates.get(&to_crate_id))
{
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(from, CrateName::new(&dep.name).unwrap(), to)
.is_err()
2020-02-05 10:47:28 +00:00
{
log::error!(
"cyclic dependency {:?} -> {:?}",
from_crate_id,
to_crate_id
);
}
}
}
}
}
ProjectWorkspace::Cargo { cargo, sysroot } => {
let mut cfg_options = get_rustc_cfg_options(target);
2020-04-01 00:13:39 +00:00
let sysroot_crates: FxHashMap<_, _> = sysroot
.crates()
.filter_map(|krate| {
let file_id = load(&sysroot[krate].root)?;
let env = Env::default();
2020-03-18 12:56:46 +00:00
let proc_macro = vec![];
2020-04-01 00:13:39 +00:00
let crate_name = CrateName::new(&sysroot[krate].name)
.expect("Sysroot crate names should not contain dashes");
2020-03-18 12:56:46 +00:00
let crate_id = crate_graph.add_crate_root(
file_id,
Edition::Edition2018,
2020-04-01 00:13:39 +00:00
Some(crate_name),
cfg_options.clone(),
2020-03-10 14:00:58 +00:00
env,
2020-03-18 12:56:46 +00:00
proc_macro,
);
2020-04-01 00:13:39 +00:00
Some((krate, crate_id))
})
.collect();
for from in sysroot.crates() {
2020-03-19 16:59:31 +00:00
for &to in sysroot[from].deps.iter() {
let name = &sysroot[to].name;
if let (Some(&from), Some(&to)) =
(sysroot_crates.get(&from), sysroot_crates.get(&to))
{
2020-02-18 13:32:19 +00:00
if crate_graph.add_dep(from, CrateName::new(name).unwrap(), to).is_err()
2020-02-05 10:47:28 +00:00
{
log::error!("cyclic dependency between sysroot crates")
}
}
}
}
let libcore = sysroot.core().and_then(|it| sysroot_crates.get(&it).copied());
2019-11-24 12:19:47 +00:00
let liballoc = sysroot.alloc().and_then(|it| sysroot_crates.get(&it).copied());
2019-07-04 17:26:44 +00:00
let libstd = sysroot.std().and_then(|it| sysroot_crates.get(&it).copied());
2019-11-24 10:33:12 +00:00
let libproc_macro =
sysroot.proc_macro().and_then(|it| sysroot_crates.get(&it).copied());
let mut pkg_to_lib_crate = FxHashMap::default();
let mut pkg_crates = FxHashMap::default();
// Add test cfg for non-sysroot crates
cfg_options.insert_atom("test".into());
// Next, create crates for each package, target pair
for pkg in cargo.packages() {
let mut lib_tgt = None;
2020-03-19 16:53:31 +00:00
for &tgt in cargo[pkg].targets.iter() {
let root = cargo[tgt].root.as_path();
if let Some(file_id) = load(root) {
2020-03-19 16:53:31 +00:00
let edition = cargo[pkg].edition;
let cfg_options = {
let mut opts = cfg_options.clone();
for feature in cargo[pkg].features.iter() {
opts.insert_key_value("feature".into(), feature.into());
}
for cfg in cargo[pkg].cfgs.iter() {
match cfg.find('=') {
Some(split) => opts.insert_key_value(
cfg[..split].into(),
cfg[split + 1..].trim_matches('"').into(),
),
None => opts.insert_atom(cfg.into()),
};
}
opts
};
2020-03-10 14:00:58 +00:00
let mut env = Env::default();
2020-03-19 16:53:31 +00:00
if let Some(out_dir) = &cargo[pkg].out_dir {
2020-04-24 18:48:30 +00:00
// NOTE: cargo and rustc seem to hide non-UTF-8 strings from env! and option_env!()
if let Some(out_dir) = out_dir.to_str().map(|s| s.to_owned()) {
env.set("OUT_DIR", out_dir);
}
2020-03-10 14:00:58 +00:00
}
2020-03-18 12:56:46 +00:00
let proc_macro = cargo[pkg]
.proc_macro_dylib_path
.as_ref()
.map(|it| proc_macro_client.by_dylib_path(&it))
.unwrap_or_default();
let crate_id = crate_graph.add_crate_root(
file_id,
edition,
2020-03-19 16:53:31 +00:00
Some(CrateName::normalize_dashes(&cargo[pkg].name)),
cfg_options,
2020-03-10 14:00:58 +00:00
env,
2020-03-18 12:56:46 +00:00
proc_macro.clone(),
);
2020-03-19 16:53:31 +00:00
if cargo[tgt].kind == TargetKind::Lib {
2020-03-21 17:09:38 +00:00
lib_tgt = Some((crate_id, cargo[tgt].name.clone()));
pkg_to_lib_crate.insert(pkg, crate_id);
}
2020-03-19 16:53:31 +00:00
if cargo[tgt].is_proc_macro {
2019-11-24 10:33:12 +00:00
if let Some(proc_macro) = libproc_macro {
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(
crate_id,
CrateName::new("proc_macro").unwrap(),
proc_macro,
)
.is_err()
{
2019-11-24 10:33:12 +00:00
log::error!(
"cyclic dependency on proc_macro for {}",
2020-03-19 16:53:31 +00:00
&cargo[pkg].name
2019-11-24 10:33:12 +00:00
)
}
}
}
pkg_crates.entry(pkg).or_insert_with(Vec::new).push(crate_id);
}
}
// Set deps to the core, std and to the lib target of the current package
for &from in pkg_crates.get(&pkg).into_iter().flatten() {
2020-03-21 17:09:38 +00:00
if let Some((to, name)) = lib_tgt.clone() {
2020-02-18 13:32:19 +00:00
if to != from
&& crate_graph
.add_dep(
from,
// For root projects with dashes in their name,
// cargo metadata does not do any normalization,
// so we do it ourselves currently
2020-03-21 17:09:38 +00:00
CrateName::normalize_dashes(&name),
2020-02-18 13:32:19 +00:00
to,
)
.is_err()
{
{
log::error!(
"cyclic dependency between targets of {}",
2020-03-19 16:53:31 +00:00
&cargo[pkg].name
)
}
}
}
// core is added as a dependency before std in order to
// mimic rustcs dependency order
if let Some(core) = libcore {
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(from, CrateName::new("core").unwrap(), core)
.is_err()
2020-02-05 10:47:28 +00:00
{
2020-03-19 16:53:31 +00:00
log::error!("cyclic dependency on core for {}", &cargo[pkg].name)
2019-11-24 12:19:47 +00:00
}
}
if let Some(alloc) = liballoc {
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(from, CrateName::new("alloc").unwrap(), alloc)
.is_err()
2020-02-05 10:47:28 +00:00
{
2020-03-19 16:53:31 +00:00
log::error!("cyclic dependency on alloc for {}", &cargo[pkg].name)
}
}
if let Some(std) = libstd {
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(from, CrateName::new("std").unwrap(), std)
.is_err()
2020-02-05 10:47:28 +00:00
{
2020-03-19 16:53:31 +00:00
log::error!("cyclic dependency on std for {}", &cargo[pkg].name)
}
}
}
}
// Now add a dep edge from all targets of upstream to the lib
// target of downstream.
for pkg in cargo.packages() {
2020-03-19 16:53:31 +00:00
for dep in cargo[pkg].dependencies.iter() {
if let Some(&to) = pkg_to_lib_crate.get(&dep.pkg) {
for &from in pkg_crates.get(&pkg).into_iter().flatten() {
2020-02-18 13:32:19 +00:00
if crate_graph
.add_dep(from, CrateName::new(&dep.name).unwrap(), to)
.is_err()
{
log::error!(
"cyclic dependency {} -> {}",
2020-03-19 16:53:31 +00:00
&cargo[pkg].name,
&cargo[dep.pkg].name
)
}
}
}
}
}
}
}
2020-03-08 13:26:57 +00:00
crate_graph
}
pub fn workspace_root_for(&self, path: &Path) -> Option<&Path> {
match self {
ProjectWorkspace::Cargo { cargo, .. } => {
2020-01-10 21:41:52 +00:00
Some(cargo.workspace_root()).filter(|root| path.starts_with(root))
}
ProjectWorkspace::Json { project: JsonProject { roots, .. }, .. } => roots
.iter()
.find(|root| path.starts_with(&root.path))
.map(|root| root.path.as_ref()),
}
}
}
fn get_rustc_cfg_options(target: Option<&str>) -> CfgOptions {
2019-10-02 18:02:53 +00:00
let mut cfg_options = CfgOptions::default();
2019-10-08 11:43:29 +00:00
// Some nightly-only cfgs, which are required for stdlib
{
cfg_options.insert_atom("target_thread_local".into());
2020-02-14 18:33:39 +00:00
for &target_has_atomic in ["8", "16", "32", "64", "cas", "ptr"].iter() {
cfg_options.insert_key_value("target_has_atomic".into(), target_has_atomic.into());
cfg_options
.insert_key_value("target_has_atomic_load_store".into(), target_has_atomic.into());
2019-10-08 11:43:29 +00:00
}
}
2020-05-08 12:54:29 +00:00
let rustc_cfgs = || -> Result<String> {
// `cfg(test)` and `cfg(debug_assertion)` are handled outside, so we suppress them here.
2020-05-08 12:54:29 +00:00
let mut cmd = Command::new(ra_toolchain::rustc());
2020-05-05 16:23:47 +00:00
cmd.args(&["--print", "cfg", "-O"]);
if let Some(target) = target {
cmd.args(&["--target", target]);
2020-05-05 16:23:47 +00:00
}
2020-05-08 12:54:29 +00:00
let output = output(cmd)?;
Ok(String::from_utf8(output.stdout)?)
2020-05-08 12:54:29 +00:00
}();
match rustc_cfgs {
2019-10-02 18:02:53 +00:00
Ok(rustc_cfgs) => {
for line in rustc_cfgs.lines() {
match line.find('=') {
None => cfg_options.insert_atom(line.into()),
2019-10-02 18:02:53 +00:00
Some(pos) => {
let key = &line[..pos];
let value = line[pos + 1..].trim_matches('"');
cfg_options.insert_key_value(key.into(), value.into());
2019-10-02 18:02:53 +00:00
}
}
}
}
2020-05-08 12:54:29 +00:00
Err(e) => log::error!("failed to get rustc cfgs: {:#}", e),
2019-10-02 18:02:53 +00:00
}
cfg_options.insert_atom("debug_assertions".into());
2019-10-02 18:02:53 +00:00
cfg_options
}
2020-05-08 12:54:29 +00:00
fn output(mut cmd: Command) -> Result<Output> {
let output = cmd.output().with_context(|| format!("{:?} failed", cmd))?;
if !output.status.success() {
2020-05-08 16:53:53 +00:00
match String::from_utf8(output.stderr) {
Ok(stderr) if !stderr.is_empty() => {
bail!("{:?} failed, {}\nstderr:\n{}", cmd, output.status, stderr)
}
_ => bail!("{:?} failed, {}", cmd, output.status),
}
2020-05-08 12:54:29 +00:00
}
Ok(output)
}