Skip to content

Commit c7ff1e8

Browse files
committed
Auto merge of #100260 - ehuss:compiletest-target-cfg, r=Mark-Simulacrum
compiletest: use target cfg instead of hard-coded tables This changes compiletest to use `rustc --print=cfg` to dynamically determine the properties of a target when matching `ignore` and `only` rules instead of using hard-coded tables or target-triple parsing (which don't always follow the `<arch><sub>-<vendor>-<sys>-<abi>` pattern). The benefit here is that it will more accurately match the target properties, and not require maintaining these extra tables. This also adds matching the `target_family` in ignore rules. The primary benefit here is so that `ignore-wasm` works as expected (matching all wasm-like targets). There were already several tests that had `ignore-wasm` in them (which previously had no effect), so it is evident that some people expected that to work. This also adds `ignore-unix/only-unix`. There is some risk that this changes the behavior from before since the tables aren't quite the same as the target properties. However, I did fairly extensive comparisons to see what would be different. https://gist.github.com/ehuss/5bf7ab347605160cefb6f84ba5ea5f6b contains a full list of differences for all targets for all tests. I do not think any of the affected target/test combinations are things that are actually tested in CI. I tested several of the more unusual test images (test-various, dist-various-1, wasm32), and they seem fine. A summary of most of the reasons behind the differences: - wasm64-unknown-unknown wasm32-wasi now match "wasm" - Targets now match "gnu" because they have target_env=gnu - aarch64-wrs-vxworks - armv7-wrs-vxworks-eabihf - i686-wrs-vxworks - powerpc-wrs-vxworks - powerpc64-wrs-vxworks - x86_64-wrs-vxworks - wasm64-unknown-unknown now matches wasm64 - x86_64-unknown-none-linuxkernel no longer matches "linux", but will match "gnu" and "none" - Various arm targets now match "aarch64" or "arm": - arm64_32-apple-watchos - armebv7r-none-eabi - armv6-unknown-freebsd - armv6-unknown-netbsd-eabihf - armv6k-nintendo-3ds - armv7-wrs-vxworks-eabihf - armv7a-kmc-solid_asp3-eabi - armv7a-kmc-solid_asp3-eabihf - armv7a-none-eabi - armv7a-none-eabihf - armv7k-apple-watchos - armv7r-none-eabi - armv7r-none-eabihf - Now matches "thumb" and "arm" - thumbv4t-none-eabi - thumbv6m-none-eabi - thumbv7a-pc-windows-msvc - thumbv7a-uwp-windows-msvc - thumbv7em-none-eabi - thumbv7em-none-eabihf - thumbv7m-none-eabi - thumbv7neon-linux-androideabi - thumbv7neon-unknown-linux-gnueabihf - thumbv7neon-unknown-linux-musleabihf - thumbv8m.base-none-eabi - thumbv8m.main-none-eabi - asmjs-unknown-emscripten now matches "wasm32" because that it is its defined arch - avr-unknown-gnu-atmega328 now matches "none" (because target_os="none") - now matches 64bit: - bpfeb-unknown-none - bpfel-unknown-none - sparcv9-sun-solaris - now matches endian-big: - m68k-unknown-linux-gnu - now matches 16bit: - msp430-none-elf - now matches 32bit: - arm64_32-apple-watchos - now matches riscv32 (and needs-asm-support): - riscv32gc-unknown-linux-gnu - riscv32gc-unknown-linux-musl - riscv32i-unknown-none-elf - riscv32im-unknown-none-elf - riscv32imac-unknown-none-elf - riscv32imac-unknown-xous-elf - riscv32imc-esp-espidf - riscv32imc-unknown-none-elf - riscv64imac-unknown-none-elf
2 parents 1603a70 + 2462bd1 commit c7ff1e8

File tree

9 files changed

+346
-208
lines changed

9 files changed

+346
-208
lines changed

Cargo.lock

+1
Original file line numberDiff line numberDiff line change
@@ -817,6 +817,7 @@ dependencies = [
817817
"getopts",
818818
"glob",
819819
"lazy_static",
820+
"lazycell",
820821
"libc",
821822
"miow",
822823
"regex",

src/tools/compiletest/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,7 @@ rustfix = "0.6.0"
1717
lazy_static = "1.0"
1818
walkdir = "2"
1919
glob = "0.3.0"
20+
lazycell = "1.3.0"
2021

2122
[target.'cfg(unix)'.dependencies]
2223
libc = "0.2"

src/tools/compiletest/src/common.rs

+129
Original file line numberDiff line numberDiff line change
@@ -3,9 +3,11 @@ pub use self::Mode::*;
33
use std::ffi::OsString;
44
use std::fmt;
55
use std::path::{Path, PathBuf};
6+
use std::process::Command;
67
use std::str::FromStr;
78

89
use crate::util::PathBufExt;
10+
use lazycell::LazyCell;
911
use test::ColorConfig;
1012

1113
#[derive(Clone, Copy, PartialEq, Debug)]
@@ -371,6 +373,8 @@ pub struct Config {
371373

372374
/// Whether to rerun tests even if the inputs are unchanged.
373375
pub force_rerun: bool,
376+
377+
pub target_cfg: LazyCell<TargetCfg>,
374378
}
375379

376380
impl Config {
@@ -380,6 +384,131 @@ impl Config {
380384
!self.target.ends_with("-fuchsia")
381385
})
382386
}
387+
388+
fn target_cfg(&self) -> &TargetCfg {
389+
self.target_cfg.borrow_with(|| TargetCfg::new(&self.rustc_path, &self.target))
390+
}
391+
392+
pub fn matches_arch(&self, arch: &str) -> bool {
393+
self.target_cfg().arch == arch ||
394+
// Shorthand for convenience. The arch for
395+
// asmjs-unknown-emscripten is actually wasm32.
396+
(arch == "asmjs" && self.target.starts_with("asmjs")) ||
397+
// Matching all the thumb variants as one can be convenient.
398+
// (thumbv6m, thumbv7em, thumbv7m, etc.)
399+
(arch == "thumb" && self.target.starts_with("thumb"))
400+
}
401+
402+
pub fn matches_os(&self, os: &str) -> bool {
403+
self.target_cfg().os == os
404+
}
405+
406+
pub fn matches_env(&self, env: &str) -> bool {
407+
self.target_cfg().env == env
408+
}
409+
410+
pub fn matches_abi(&self, abi: &str) -> bool {
411+
self.target_cfg().abi == abi
412+
}
413+
414+
pub fn matches_family(&self, family: &str) -> bool {
415+
self.target_cfg().families.iter().any(|f| f == family)
416+
}
417+
418+
pub fn is_big_endian(&self) -> bool {
419+
self.target_cfg().endian == Endian::Big
420+
}
421+
422+
pub fn get_pointer_width(&self) -> u32 {
423+
*&self.target_cfg().pointer_width
424+
}
425+
426+
pub fn has_asm_support(&self) -> bool {
427+
static ASM_SUPPORTED_ARCHS: &[&str] = &[
428+
"x86", "x86_64", "arm", "aarch64", "riscv32",
429+
"riscv64",
430+
// These targets require an additional asm_experimental_arch feature.
431+
// "nvptx64", "hexagon", "mips", "mips64", "spirv", "wasm32",
432+
];
433+
ASM_SUPPORTED_ARCHS.contains(&self.target_cfg().arch.as_str())
434+
}
435+
}
436+
437+
#[derive(Clone, Debug)]
438+
pub struct TargetCfg {
439+
arch: String,
440+
os: String,
441+
env: String,
442+
abi: String,
443+
families: Vec<String>,
444+
pointer_width: u32,
445+
endian: Endian,
446+
}
447+
448+
#[derive(Eq, PartialEq, Clone, Debug)]
449+
pub enum Endian {
450+
Little,
451+
Big,
452+
}
453+
454+
impl TargetCfg {
455+
fn new(rustc_path: &Path, target: &str) -> TargetCfg {
456+
let output = match Command::new(rustc_path)
457+
.arg("--print=cfg")
458+
.arg("--target")
459+
.arg(target)
460+
.output()
461+
{
462+
Ok(output) => output,
463+
Err(e) => panic!("error: failed to get cfg info from {:?}: {e}", rustc_path),
464+
};
465+
if !output.status.success() {
466+
panic!(
467+
"error: failed to get cfg info from {:?}\n--- stdout\n{}\n--- stderr\n{}",
468+
rustc_path,
469+
String::from_utf8(output.stdout).unwrap(),
470+
String::from_utf8(output.stderr).unwrap(),
471+
);
472+
}
473+
let print_cfg = String::from_utf8(output.stdout).unwrap();
474+
let mut arch = None;
475+
let mut os = None;
476+
let mut env = None;
477+
let mut abi = None;
478+
let mut families = Vec::new();
479+
let mut pointer_width = None;
480+
let mut endian = None;
481+
for line in print_cfg.lines() {
482+
if let Some((name, value)) = line.split_once('=') {
483+
let value = value.trim_matches('"');
484+
match name {
485+
"target_arch" => arch = Some(value),
486+
"target_os" => os = Some(value),
487+
"target_env" => env = Some(value),
488+
"target_abi" => abi = Some(value),
489+
"target_family" => families.push(value.to_string()),
490+
"target_pointer_width" => pointer_width = Some(value.parse().unwrap()),
491+
"target_endian" => {
492+
endian = Some(match value {
493+
"little" => Endian::Little,
494+
"big" => Endian::Big,
495+
s => panic!("unexpected {s}"),
496+
})
497+
}
498+
_ => {}
499+
}
500+
}
501+
}
502+
TargetCfg {
503+
arch: arch.unwrap().to_string(),
504+
os: os.unwrap().to_string(),
505+
env: env.unwrap().to_string(),
506+
abi: abi.unwrap().to_string(),
507+
families,
508+
pointer_width: pointer_width.unwrap(),
509+
endian: endian.unwrap(),
510+
}
511+
}
383512
}
384513

385514
#[derive(Debug, Clone)]

src/tools/compiletest/src/header.rs

+25-6
Original file line numberDiff line numberDiff line change
@@ -661,17 +661,36 @@ impl Config {
661661

662662
let name = line[prefix.len() + 1..].split(&[':', ' '][..]).next().unwrap();
663663

664+
let matches_pointer_width = || {
665+
name.strip_suffix("bit")
666+
.and_then(|width| width.parse::<u32>().ok())
667+
.map(|width| self.get_pointer_width() == width)
668+
.unwrap_or(false)
669+
};
670+
671+
// If something is ignored for emscripten, it likely also needs to be
672+
// ignored for wasm32-unknown-unknown.
673+
// `wasm32-bare` is an alias to refer to just wasm32-unknown-unknown
674+
// (in contrast to `wasm32` which also matches non-bare targets like
675+
// asmjs-unknown-emscripten).
676+
let matches_wasm32_alias = || {
677+
self.target == "wasm32-unknown-unknown" && matches!(name, "emscripten" | "wasm32-bare")
678+
};
679+
664680
let is_match = name == "test" ||
665681
self.target == name || // triple
666-
util::matches_os(&self.target, name) || // target
667-
util::matches_env(&self.target, name) || // env
682+
self.matches_os(name) ||
683+
self.matches_env(name) ||
684+
self.matches_abi(name) ||
685+
self.matches_family(name) ||
668686
self.target.ends_with(name) || // target and env
669-
name == util::get_arch(&self.target) || // architecture
670-
name == util::get_pointer_width(&self.target) || // pointer width
687+
self.matches_arch(name) ||
688+
matches_wasm32_alias() ||
689+
matches_pointer_width() ||
671690
name == self.stage_id.split('-').next().unwrap() || // stage
672691
name == self.channel || // channel
673692
(self.target != self.host && name == "cross-compile") ||
674-
(name == "endian-big" && util::is_big_endian(&self.target)) ||
693+
(name == "endian-big" && self.is_big_endian()) ||
675694
(self.remote_test_client.is_some() && name == "remote") ||
676695
match self.compare_mode {
677696
Some(CompareMode::Polonius) => name == "compare-mode-polonius",
@@ -869,7 +888,7 @@ pub fn make_test_description<R: Read>(
869888

870889
let rustc_has_profiler_support = env::var_os("RUSTC_PROFILER_SUPPORT").is_some();
871890
let rustc_has_sanitizer_support = env::var_os("RUSTC_SANITIZER_SUPPORT").is_some();
872-
let has_asm_support = util::has_asm_support(&config.target);
891+
let has_asm_support = config.has_asm_support();
873892
let has_asan = util::ASAN_SUPPORTED_TARGETS.contains(&&*config.target);
874893
let has_cfi = util::CFI_SUPPORTED_TARGETS.contains(&&*config.target);
875894
let has_lsan = util::LSAN_SUPPORTED_TARGETS.contains(&&*config.target);

0 commit comments

Comments
 (0)