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
// This file is part of Gear.
// Copyright (C) 2022-2024 Gear Technologies Inc.
// SPDX-License-Identifier: GPL-3.0-or-later WITH Classpath-exception-2.0
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <https://www.gnu.org/licenses/>.
use crate::{builder_error::BuilderError, multiple_crate_versions};
use anyhow::{ensure, Context, Result};
use cargo_metadata::{Metadata, MetadataCommand, Package};
use std::{collections::BTreeMap, path::Path};
/// Helper to get a crate info extracted from the `Cargo.toml`.
#[derive(Debug, Default)]
pub struct CrateInfo {
/// Original name of the crate.
pub name: String,
/// Crate name converted to the snake case.
pub snake_case_name: String,
/// Crate version.
pub version: String,
/// Crate features.
pub features: BTreeMap<String, Vec<String>>,
/// Crate custom profiles
pub profiles: BTreeMap<String, toml::Value>,
}
impl CrateInfo {
/// Create a new `CrateInfo` from a path to the `Cargo.toml`.
pub fn from_manifest(manifest_path: &Path) -> Result<Self> {
ensure!(
manifest_path.exists(),
BuilderError::ManifestPathInvalid(manifest_path.to_path_buf())
);
let mut meta_cmd = MetadataCommand::new();
let metadata = meta_cmd
.manifest_path(manifest_path)
.exec()
.context("unable to invoke `cargo metadata`")?;
let root_package = Self::root_package(&metadata)
.ok_or_else(|| BuilderError::RootPackageNotFound.into())
.and_then(Self::check)?;
let manifest = cargo_toml::Manifest::from_path(metadata.workspace_root.join("Cargo.toml"))
.context("manifest parsing failed")?;
let profiles = manifest
.profile
.custom
.into_iter()
.map(|(k, v)| Ok((k, toml::Value::try_from(v)?)))
.collect::<Result<_>>()
.context("failed to convert profile to `toml::Value`")?;
multiple_crate_versions::check(&metadata, &root_package.id)?;
let name = root_package.name.clone();
let snake_case_name = name.replace('-', "_");
let version = root_package.version.to_string();
let features = root_package.features.clone();
Ok(Self {
name,
snake_case_name,
version,
features,
profiles,
})
}
fn root_package(metadata: &Metadata) -> Option<&Package> {
let root_id = metadata.resolve.as_ref()?.root.as_ref()?;
metadata
.packages
.iter()
.find(|package| package.id == *root_id)
}
/// check package
///
/// - if crate-type contains "lib" or "rlib":
fn check(pkg: &Package) -> Result<&Package> {
// cargo can't import executables (bin, cdylib etc), but libs
// only (rlib).
//
// if no `[lib]` table, the `crate_types` will be [ "lib" ]
// by default, we can not detect if this is "rlib" because it
// is the "compiler recommended" style of library.
//
// see also https://doc.rust-lang.org/reference/linkage.html
let validated_lib = |ty: &String| ty == "lib" || ty == "rlib";
let pkg_snake_case_name = pkg.name.replace('-', "_");
// Check for rustc version. See https://github.com/rust-lang/cargo/pull/12783
let compatible = rustc_version::version()?.lt(&rustc_version::Version::parse("1.79.0")?);
let _ = pkg
.targets
.iter()
.find(|target| {
if compatible {
target.name.eq(&pkg.name) && target.crate_types.iter().any(validated_lib)
} else {
target.name.eq(&pkg_snake_case_name)
&& target.crate_types.iter().any(validated_lib)
}
})
.ok_or(BuilderError::CrateTypeInvalid)?;
Ok(pkg)
}
}