target-spec 3.6.0

Evaluate Cargo.toml target specifications
Documentation
// Copyright (c) The cargo-guppy Contributors
// SPDX-License-Identifier: MIT OR Apache-2.0

use crate::{Error, Triple};
use std::{borrow::Cow, collections::BTreeSet, ops::Deref};

// This is generated by the build script.
include!(concat!(env!("OUT_DIR"), "/build_target.rs"));

/// A platform to evaluate target specifications against.
///
/// # Standard and custom platforms
///
/// `target-spec` recognizes two kinds of platforms:
///
/// * **Standard platforms:** These platforms are only specified by their triple string. For
///   example, the platform `x86_64-unknown-linux-gnu` is a standard platform since it is recognized
///   by Rust as a tier 1 platform.
///
///   All [builtin platforms](https://doc.rust-lang.org/nightly/rustc/platform-support.html) are
///   standard platforms.
///
///   By default, if a platform isn't builtin, target-spec attempts to heuristically determine the
///   characteristics of the platform based on the triple string. (Use the
///   [`new_strict`](Self::new_strict) constructor to disable this.)
///
/// * **Custom platforms:** These platforms are specified via a
///   triple string and either a JSON file in the format
///   [defined by
///   Rust](https://docs.rust-embedded.org/embedonomicon/custom-target.html),
///   or via `rustc --print=cfg` output. Custom platforms are
///   used for targets not recognized by Rust.
#[derive(Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)]
#[must_use]
pub struct Platform {
    triple: Triple,
    target_features: TargetFeatures,
    flags: BTreeSet<Cow<'static, str>>,
}

impl Platform {
    /// Creates a new standard `Platform` from the given triple and target features.
    ///
    /// Returns an error if this platform wasn't known to `target-spec`.
    pub fn new(
        triple_str: impl Into<Cow<'static, str>>,
        target_features: TargetFeatures,
    ) -> Result<Self, Error> {
        let triple = Triple::new(triple_str.into()).map_err(Error::UnknownPlatformTriple)?;
        Ok(Self::from_triple(triple, target_features))
    }

    /// Creates a new standard `Platform` from the given triple and target features.
    ///
    /// This constructor only consults the builtin platform table, and does not attempt to
    /// heuristically determine the platform's characteristics based on the triple string.
    pub fn new_strict(
        triple_str: impl Into<Cow<'static, str>>,
        target_features: TargetFeatures,
    ) -> Result<Self, Error> {
        let triple = Triple::new_strict(triple_str.into()).map_err(Error::UnknownPlatformTriple)?;
        Ok(Self::from_triple(triple, target_features))
    }

    /// Creates a new standard `Platform` from `rustc -vV` output and the given
    /// target features.
    pub fn from_rustc_version_verbose(
        output: impl AsRef<[u8]>,
        target_features: TargetFeatures,
    ) -> Result<Self, Error> {
        let triple = Triple::from_rustc_version_verbose(output.as_ref())?;
        Ok(Self::from_triple(triple, target_features))
    }

    /// Previous name for [`Self::build_target`], renamed to clarify what
    /// `current` means.
    ///
    /// This method is deprecated and will be removed in a future version.
    #[deprecated(
        since = "3.4.0",
        note = "this method has been renamed to `build_target`"
    )]
    #[inline]
    pub fn current() -> Result<Self, Error> {
        Self::build_target()
    }

    /// Returns the target platform, as detected at build time.
    ///
    /// In case of cross-compilation, this will be the **target platform**, not
    /// the host platform.
    ///
    /// Some target platforms are runtime cross-compatible, e.g.
    /// `x86_64-unknown-linux-musl` binaries can be run on
    /// `x86_64-unknown-linux-gnu`. In that case, this function returns
    /// `x86_64-unknown-linux-musl`. To obtain `x86_64-unknown-linux-gnu`, run
    /// `${RUSTC:-rustc} -vV` and pass it into [`Self::from_rustc_version_verbose`].
    ///
    /// This is currently always a standard platform, and will return an error if the current
    /// platform was unknown to this version of `target-spec`.
    ///
    /// # Notes
    ///
    /// In the future, this constructor may also support custom platforms. This will not be
    /// considered a breaking change.
    pub fn build_target() -> Result<Self, Error> {
        let triple = Triple::new(BUILD_TARGET).map_err(Error::UnknownPlatformTriple)?;
        let target_features = TargetFeatures::features(BUILD_TARGET_FEATURES.iter().copied());
        Ok(Self {
            triple,
            target_features,
            flags: BTreeSet::new(),
        })
    }

    /// Creates a new standard platform from a `Triple` and target features.
    pub fn from_triple(triple: Triple, target_features: TargetFeatures) -> Self {
        Self {
            triple,
            target_features,
            flags: BTreeSet::new(),
        }
    }

    /// Creates a new custom `Platform` from the given triple, platform, and target features.
    #[cfg(feature = "custom")]
    pub fn new_custom(
        triple_str: impl Into<Cow<'static, str>>,
        json: &str,
        target_features: TargetFeatures,
    ) -> Result<Self, Error> {
        let triple = Triple::new_custom(triple_str, json).map_err(Error::CustomPlatformCreate)?;
        Ok(Self {
            triple,
            target_features,
            flags: BTreeSet::new(),
        })
    }

    /// Creates a new custom `Platform` from the given triple,
    /// `rustc --print=cfg` output, and target features.
    #[cfg(feature = "custom-cfg")]
    pub fn new_custom_cfg(
        triple_str: impl Into<Cow<'static, str>>,
        cfg_text: &str,
        target_features: TargetFeatures,
    ) -> Result<Self, Error> {
        let triple =
            Triple::new_custom_cfg(triple_str, cfg_text).map_err(Error::CustomPlatformCreate)?;
        Ok(Self {
            triple,
            target_features,
            flags: BTreeSet::new(),
        })
    }

    /// Adds a set of flags to accept.
    ///
    /// A flag is a single token like the `foo` in `cfg(not(foo))`.
    ///
    /// A default `cargo build` will always evaluate flags to false, but custom wrappers may cause
    /// some flags to evaluate to true. For example, as of version 0.6, `cargo web build` will cause
    /// `cargo_web` to evaluate to true.
    pub fn add_flags(&mut self, flags: impl IntoIterator<Item = impl Into<Cow<'static, str>>>) {
        self.flags.extend(flags.into_iter().map(|s| s.into()));
    }

    /// Returns the target triple string for this platform.
    pub fn triple_str(&self) -> &str {
        self.triple.as_str()
    }

    /// Returns the set of flags enabled for this platform.
    pub fn flags(&self) -> impl ExactSizeIterator<Item = &str> {
        self.flags.iter().map(|flag| flag.deref())
    }

    /// Returns true if this flag was set with `add_flags`.
    pub fn has_flag(&self, flag: impl AsRef<str>) -> bool {
        self.flags.contains(flag.as_ref())
    }

    /// Returns true if this is a standard platform.
    ///
    /// A standard platform can be either builtin, or heuristically determined.
    ///
    /// # Examples
    ///
    /// ```
    /// use target_spec::{Platform, TargetFeatures};
    ///
    /// // x86_64-unknown-linux-gnu is Linux x86_64.
    /// let platform = Platform::new("x86_64-unknown-linux-gnu", TargetFeatures::Unknown).unwrap();
    /// assert!(platform.is_standard());
    /// ```
    pub fn is_standard(&self) -> bool {
        self.triple.is_standard()
    }

    /// Returns true if this is a builtin platform.
    ///
    /// All builtin platforms are standard, but not all standard platforms are builtin.
    ///
    /// # Examples
    ///
    /// ```
    /// use target_spec::{Platform, TargetFeatures};
    ///
    /// // x86_64-unknown-linux-gnu is Linux x86_64, which is a Rust tier 1 platform.
    /// let platform = Platform::new("x86_64-unknown-linux-gnu", TargetFeatures::Unknown).unwrap();
    /// assert!(platform.is_builtin());
    /// ```
    pub fn is_builtin(&self) -> bool {
        self.triple.is_builtin()
    }

    /// Returns true if this is a heuristically determined platform.
    ///
    /// All heuristically determined platforms are standard, but most of the time, standard
    /// platforms are builtin.
    ///
    /// # Examples
    ///
    /// ```
    /// use target_spec::{Platform, TargetFeatures};
    ///
    /// // armv5te-apple-darwin is not a real platform, but target-spec can heuristically
    /// // guess at its characteristics.
    /// let platform = Platform::new("armv5te-apple-darwin", TargetFeatures::Unknown).unwrap();
    /// assert!(platform.is_heuristic());
    /// ```
    pub fn is_heuristic(&self) -> bool {
        self.triple.is_heuristic()
    }

    /// Returns true if this is a custom platform.
    ///
    /// This is always available, but if neither the `custom` nor
    /// `custom-cfg` feature is turned on, this always returns
    /// false.
    pub fn is_custom(&self) -> bool {
        self.triple.is_custom()
    }

    /// Returns the underlying [`Triple`].
    pub fn triple(&self) -> &Triple {
        &self.triple
    }

    /// Returns the set of target features for this platform.
    pub fn target_features(&self) -> &TargetFeatures {
        &self.target_features
    }

    #[cfg(feature = "summaries")]
    pub(crate) fn custom_json(&self) -> Option<&str> {
        self.triple.custom_json()
    }

    #[cfg(feature = "summaries")]
    pub(crate) fn custom_cfg_text(&self) -> Option<&str> {
        self.triple.custom_cfg_text()
    }
}

/// A set of target features to match.
#[derive(Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)]
#[non_exhaustive]
pub enum TargetFeatures {
    /// The target features are unknown.
    Unknown,
    /// Only match the specified features.
    Features(BTreeSet<Cow<'static, str>>),
    /// Match all features.
    All,
}

impl TargetFeatures {
    /// Creates a new `TargetFeatures` which matches some features.
    pub fn features(features: impl IntoIterator<Item = impl Into<Cow<'static, str>>>) -> Self {
        TargetFeatures::Features(features.into_iter().map(|s| s.into()).collect())
    }

    /// Creates a new `TargetFeatures` which doesn't match any features.
    pub fn none() -> Self {
        TargetFeatures::Features(BTreeSet::new())
    }

    /// Returns `Some(true)` if this feature is a match, `Some(false)` if it isn't, and `None` if
    /// the set of target features is unknown.
    pub fn matches(&self, feature: &str) -> Option<bool> {
        match self {
            TargetFeatures::Unknown => None,
            TargetFeatures::Features(features) => Some(features.contains(feature)),
            TargetFeatures::All => Some(true),
        }
    }
}

#[cfg(all(test, feature = "custom-cfg"))]
mod custom_cfg_tests {
    use crate::TargetSpecExpression;

    use super::*;

    const LINUX_CFG: &str = "\
        panic=\"unwind\"\n\
        target_arch=\"x86_64\"\n\
        target_endian=\"little\"\n\
        target_env=\"gnu\"\n\
        target_family=\"unix\"\n\
        target_feature=\"fxsr\"\n\
        target_feature=\"sse\"\n\
        target_feature=\"sse2\"\n\
        target_os=\"linux\"\n\
        target_pointer_width=\"64\"\n\
        target_vendor=\"unknown\"\n";

    #[test]
    fn new_custom_cfg_basic() {
        let platform =
            Platform::new_custom_cfg("my-custom-linux", LINUX_CFG, TargetFeatures::Unknown)
                .expect("parsed successfully");

        assert!(platform.is_custom());
        assert!(!platform.is_standard());
        assert!(!platform.is_builtin());
        assert_eq!(platform.triple_str(), "my-custom-linux");
        assert_eq!(*platform.target_features(), TargetFeatures::Unknown);
    }

    #[test]
    fn new_custom_cfg_evaluates_expressions() {
        let platform =
            Platform::new_custom_cfg("my-custom-linux", LINUX_CFG, TargetFeatures::Unknown)
                .expect("parsed successfully");

        // Evaluate cfg expressions against the custom
        // platform.
        let spec =
            TargetSpecExpression::new("cfg(target_os = \"linux\")").expect("valid expression");
        assert_eq!(
            spec.eval(&platform),
            Some(true),
            "target_os = linux matches",
        );

        let spec =
            TargetSpecExpression::new("cfg(target_os = \"windows\")").expect("valid expression");
        assert_eq!(
            spec.eval(&platform),
            Some(false),
            "target_os = windows does not match",
        );

        let spec = TargetSpecExpression::new("cfg(unix)").expect("valid expression");
        assert_eq!(spec.eval(&platform), Some(true), "unix family matches",);
    }

    #[test]
    fn new_custom_cfg_with_features() {
        let platform = Platform::new_custom_cfg("my-custom-linux", LINUX_CFG, TargetFeatures::All)
            .expect("parsed successfully");

        assert_eq!(
            platform.target_features().matches("avx512"),
            Some(true),
            "All matches any feature",
        );
        assert_eq!(*platform.target_features(), TargetFeatures::All);
    }

    #[test]
    fn new_custom_cfg_with_no_features() {
        let platform =
            Platform::new_custom_cfg("my-custom-linux", LINUX_CFG, TargetFeatures::none())
                .expect("parsed successfully");

        assert_eq!(
            platform.target_features().matches("sse2"),
            Some(false),
            "sse2 not matched with empty features",
        );
    }
}