Skip to content

Commit 59ae5eb

Browse files
committed
Auto merge of rust-lang#132514 - Zalathar:print-target-cpus, r=jieyouxu
Port most of `--print=target-cpus` to Rust The logic and formatting needed by `--print=target-cpus` has historically been carried out in C++ code. Originally it used `printf` to write directly to the console, but later it switched over to writing to a `std::ostringstream` and then passing its buffer to a callback function pointer. This PR replaces that C++ code with a very simple function that writes a list of CPU names to a `&RustString`, with the rest of the logic and formatting being handled by ordinary safe Rust code.
2 parents db034ce + 90f2075 commit 59ae5eb

File tree

4 files changed

+131
-90
lines changed

4 files changed

+131
-90
lines changed

compiler/rustc_codegen_llvm/src/llvm/ffi.rs

+3-7
Original file line numberDiff line numberDiff line change
@@ -2190,12 +2190,8 @@ unsafe extern "C" {
21902190

21912191
pub fn LLVMRustHasFeature(T: &TargetMachine, s: *const c_char) -> bool;
21922192

2193-
pub fn LLVMRustPrintTargetCPUs(
2194-
T: &TargetMachine,
2195-
cpu: *const c_char,
2196-
print: unsafe extern "C" fn(out: *mut c_void, string: *const c_char, len: usize),
2197-
out: *mut c_void,
2198-
);
2193+
#[allow(improper_ctypes)]
2194+
pub(crate) fn LLVMRustPrintTargetCPUs(TM: &TargetMachine, OutStr: &RustString);
21992195
pub fn LLVMRustGetTargetFeaturesCount(T: &TargetMachine) -> size_t;
22002196
pub fn LLVMRustGetTargetFeature(
22012197
T: &TargetMachine,
@@ -2204,7 +2200,7 @@ unsafe extern "C" {
22042200
Desc: &mut *const c_char,
22052201
);
22062202

2207-
pub fn LLVMRustGetHostCPUName(len: *mut usize) -> *const c_char;
2203+
pub fn LLVMRustGetHostCPUName(LenOut: &mut size_t) -> *const u8;
22082204

22092205
// This function makes copies of pointed to data, so the data's lifetime may end after this
22102206
// function returns.

compiler/rustc_codegen_llvm/src/llvm_util.rs

+80-42
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
1-
use std::ffi::{CStr, CString, c_char, c_void};
1+
use std::collections::VecDeque;
2+
use std::ffi::{CStr, CString};
23
use std::fmt::Write;
34
use std::path::Path;
45
use std::sync::Once;
@@ -387,7 +388,65 @@ fn llvm_target_features(tm: &llvm::TargetMachine) -> Vec<(&str, &str)> {
387388
ret
388389
}
389390

390-
fn print_target_features(out: &mut String, sess: &Session, tm: &llvm::TargetMachine) {
391+
pub(crate) fn print(req: &PrintRequest, out: &mut String, sess: &Session) {
392+
require_inited();
393+
let tm = create_informational_target_machine(sess, false);
394+
match req.kind {
395+
PrintKind::TargetCPUs => print_target_cpus(sess, &tm, out),
396+
PrintKind::TargetFeatures => print_target_features(sess, &tm, out),
397+
_ => bug!("rustc_codegen_llvm can't handle print request: {:?}", req),
398+
}
399+
}
400+
401+
fn print_target_cpus(sess: &Session, tm: &llvm::TargetMachine, out: &mut String) {
402+
let cpu_names = llvm::build_string(|s| unsafe {
403+
llvm::LLVMRustPrintTargetCPUs(&tm, s);
404+
})
405+
.unwrap();
406+
407+
struct Cpu<'a> {
408+
cpu_name: &'a str,
409+
remark: String,
410+
}
411+
// Compare CPU against current target to label the default.
412+
let target_cpu = handle_native(&sess.target.cpu);
413+
let make_remark = |cpu_name| {
414+
if cpu_name == target_cpu {
415+
// FIXME(#132514): This prints the LLVM target string, which can be
416+
// different from the Rust target string. Is that intended?
417+
let target = &sess.target.llvm_target;
418+
format!(
419+
" - This is the default target CPU for the current build target (currently {target})."
420+
)
421+
} else {
422+
"".to_owned()
423+
}
424+
};
425+
let mut cpus = cpu_names
426+
.lines()
427+
.map(|cpu_name| Cpu { cpu_name, remark: make_remark(cpu_name) })
428+
.collect::<VecDeque<_>>();
429+
430+
// Only print the "native" entry when host and target are the same arch,
431+
// since otherwise it could be wrong or misleading.
432+
if sess.host.arch == sess.target.arch {
433+
let host = get_host_cpu_name();
434+
cpus.push_front(Cpu {
435+
cpu_name: "native",
436+
remark: format!(" - Select the CPU of the current host (currently {host})."),
437+
});
438+
}
439+
440+
let max_name_width = cpus.iter().map(|cpu| cpu.cpu_name.len()).max().unwrap_or(0);
441+
writeln!(out, "Available CPUs for this target:").unwrap();
442+
for Cpu { cpu_name, remark } in cpus {
443+
// Only pad the CPU name if there's a remark to print after it.
444+
let width = if remark.is_empty() { 0 } else { max_name_width };
445+
writeln!(out, " {cpu_name:<width$}{remark}").unwrap();
446+
}
447+
}
448+
449+
fn print_target_features(sess: &Session, tm: &llvm::TargetMachine, out: &mut String) {
391450
let mut llvm_target_features = llvm_target_features(tm);
392451
let mut known_llvm_target_features = FxHashSet::<&'static str>::default();
393452
let mut rustc_target_features = sess
@@ -447,52 +506,31 @@ fn print_target_features(out: &mut String, sess: &Session, tm: &llvm::TargetMach
447506
writeln!(out, "and may be renamed or removed in a future version of LLVM or rustc.\n").unwrap();
448507
}
449508

450-
pub(crate) fn print(req: &PrintRequest, mut out: &mut String, sess: &Session) {
451-
require_inited();
452-
let tm = create_informational_target_machine(sess, false);
453-
match req.kind {
454-
PrintKind::TargetCPUs => {
455-
// SAFETY generate a C compatible string from a byte slice to pass
456-
// the target CPU name into LLVM, the lifetime of the reference is
457-
// at least as long as the C function
458-
let cpu_cstring = CString::new(handle_native(sess.target.cpu.as_ref()))
459-
.unwrap_or_else(|e| bug!("failed to convert to cstring: {}", e));
460-
unsafe extern "C" fn callback(out: *mut c_void, string: *const c_char, len: usize) {
461-
let out = unsafe { &mut *(out as *mut &mut String) };
462-
let bytes = unsafe { slice::from_raw_parts(string as *const u8, len) };
463-
write!(out, "{}", String::from_utf8_lossy(bytes)).unwrap();
464-
}
465-
unsafe {
466-
llvm::LLVMRustPrintTargetCPUs(
467-
&tm,
468-
cpu_cstring.as_ptr(),
469-
callback,
470-
(&raw mut out) as *mut c_void,
471-
);
472-
}
473-
}
474-
PrintKind::TargetFeatures => print_target_features(out, sess, &tm),
475-
_ => bug!("rustc_codegen_llvm can't handle print request: {:?}", req),
476-
}
509+
/// Returns the host CPU name, according to LLVM.
510+
fn get_host_cpu_name() -> &'static str {
511+
let mut len = 0;
512+
// SAFETY: The underlying C++ global function returns a `StringRef` that
513+
// isn't tied to any particular backing buffer, so it must be 'static.
514+
let slice: &'static [u8] = unsafe {
515+
let ptr = llvm::LLVMRustGetHostCPUName(&mut len);
516+
assert!(!ptr.is_null());
517+
slice::from_raw_parts(ptr, len)
518+
};
519+
str::from_utf8(slice).expect("host CPU name should be UTF-8")
477520
}
478521

479-
fn handle_native(name: &str) -> &str {
480-
if name != "native" {
481-
return name;
482-
}
483-
484-
unsafe {
485-
let mut len = 0;
486-
let ptr = llvm::LLVMRustGetHostCPUName(&mut len);
487-
str::from_utf8(slice::from_raw_parts(ptr as *const u8, len)).unwrap()
522+
/// If the given string is `"native"`, returns the host CPU name according to
523+
/// LLVM. Otherwise, the string is returned as-is.
524+
fn handle_native(cpu_name: &str) -> &str {
525+
match cpu_name {
526+
"native" => get_host_cpu_name(),
527+
_ => cpu_name,
488528
}
489529
}
490530

491531
pub(crate) fn target_cpu(sess: &Session) -> &str {
492-
match sess.opts.cg.target_cpu {
493-
Some(ref name) => handle_native(name),
494-
None => handle_native(sess.target.cpu.as_ref()),
495-
}
532+
let cpu_name = sess.opts.cg.target_cpu.as_deref().unwrap_or_else(|| &sess.target.cpu);
533+
handle_native(cpu_name)
496534
}
497535

498536
/// The list of LLVM features computed from CLI flags (`-Ctarget-cpu`, `-Ctarget-feature`,

compiler/rustc_llvm/llvm-wrapper/PassWrapper.cpp

+9-41
Original file line numberDiff line numberDiff line change
@@ -317,49 +317,17 @@ template <typename KV> static size_t getLongestEntryLength(ArrayRef<KV> Table) {
317317
return MaxLen;
318318
}
319319

320-
using PrintBackendInfo = void(void *, const char *Data, size_t Len);
321-
322320
extern "C" void LLVMRustPrintTargetCPUs(LLVMTargetMachineRef TM,
323-
const char *TargetCPU,
324-
PrintBackendInfo Print, void *Out) {
325-
const TargetMachine *Target = unwrap(TM);
326-
const Triple::ArchType HostArch =
327-
Triple(sys::getDefaultTargetTriple()).getArch();
328-
const Triple::ArchType TargetArch = Target->getTargetTriple().getArch();
321+
RustStringRef OutStr) {
322+
ArrayRef<SubtargetSubTypeKV> CPUTable =
323+
unwrap(TM)->getMCSubtargetInfo()->getAllProcessorDescriptions();
324+
auto OS = RawRustStringOstream(OutStr);
329325

330-
std::ostringstream Buf;
331-
332-
const MCSubtargetInfo *MCInfo = Target->getMCSubtargetInfo();
333-
const ArrayRef<SubtargetSubTypeKV> CPUTable =
334-
MCInfo->getAllProcessorDescriptions();
335-
unsigned MaxCPULen = getLongestEntryLength(CPUTable);
336-
337-
Buf << "Available CPUs for this target:\n";
338-
// Don't print the "native" entry when the user specifies --target with a
339-
// different arch since that could be wrong or misleading.
340-
if (HostArch == TargetArch) {
341-
MaxCPULen = std::max(MaxCPULen, (unsigned)std::strlen("native"));
342-
const StringRef HostCPU = sys::getHostCPUName();
343-
Buf << " " << std::left << std::setw(MaxCPULen) << "native"
344-
<< " - Select the CPU of the current host "
345-
"(currently "
346-
<< HostCPU.str() << ").\n";
347-
}
326+
// Just print a bare list of target CPU names, and let Rust-side code handle
327+
// the full formatting of `--print=target-cpus`.
348328
for (auto &CPU : CPUTable) {
349-
// Compare cpu against current target to label the default
350-
if (strcmp(CPU.Key, TargetCPU) == 0) {
351-
Buf << " " << std::left << std::setw(MaxCPULen) << CPU.Key
352-
<< " - This is the default target CPU for the current build target "
353-
"(currently "
354-
<< Target->getTargetTriple().str() << ").";
355-
} else {
356-
Buf << " " << CPU.Key;
357-
}
358-
Buf << "\n";
329+
OS << CPU.Key << "\n";
359330
}
360-
361-
const auto &BufString = Buf.str();
362-
Print(Out, BufString.data(), BufString.size());
363331
}
364332

365333
extern "C" size_t LLVMRustGetTargetFeaturesCount(LLVMTargetMachineRef TM) {
@@ -382,9 +350,9 @@ extern "C" void LLVMRustGetTargetFeature(LLVMTargetMachineRef TM, size_t Index,
382350
*Desc = Feat.Desc;
383351
}
384352

385-
extern "C" const char *LLVMRustGetHostCPUName(size_t *len) {
353+
extern "C" const char *LLVMRustGetHostCPUName(size_t *OutLen) {
386354
StringRef Name = sys::getHostCPUName();
387-
*len = Name.size();
355+
*OutLen = Name.size();
388356
return Name.data();
389357
}
390358

Original file line numberDiff line numberDiff line change
@@ -0,0 +1,39 @@
1+
//@ ignore-cross-compile
2+
//@ needs-llvm-components: aarch64 x86
3+
// FIXME(#132514): Is needs-llvm-components actually necessary for this test?
4+
5+
use run_make_support::{assert_contains_regex, rfs, rustc, target};
6+
7+
// Test that when querying `--print=target-cpus` for a target with the same
8+
// architecture as the host, the first CPU is "native" with a suitable remark.
9+
10+
fn main() {
11+
let expected = r"^Available CPUs for this target:
12+
native +- Select the CPU of the current host \(currently [^ )]+\)\.
13+
";
14+
15+
// Without an explicit target.
16+
rustc().print("target-cpus").run().assert_stdout_contains_regex(expected);
17+
18+
// With an explicit target that happens to be the host.
19+
let host = target(); // Because of ignore-cross-compile, assume host == target.
20+
rustc().print("target-cpus").target(host).run().assert_stdout_contains_regex(expected);
21+
22+
// With an explicit output path.
23+
rustc().print("target-cpus=./xyzzy.txt").run().assert_stdout_equals("");
24+
assert_contains_regex(rfs::read_to_string("./xyzzy.txt"), expected);
25+
26+
// Now try some cross-target queries with the same arch as the host.
27+
// (Specify multiple targets so that at least one of them is not the host.)
28+
let cross_targets: &[&str] = if cfg!(target_arch = "aarch64") {
29+
&["aarch64-unknown-linux-gnu", "aarch64-apple-darwin"]
30+
} else if cfg!(target_arch = "x86_64") {
31+
&["x86_64-unknown-linux-gnu", "x86_64-apple-darwin"]
32+
} else {
33+
&[]
34+
};
35+
for target in cross_targets {
36+
println!("Trying target: {target}");
37+
rustc().print("target-cpus").target(target).run().assert_stdout_contains_regex(expected);
38+
}
39+
}

0 commit comments

Comments
 (0)