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
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
|
//! `cargo xtask` automation.
//!
//! Please refer to <https://github.com/matklad/cargo-xtask/> for an explanation of the concept.
//!
//! Also see the docs in `asm.rs`.
use std::env::{self, current_dir};
use std::{
collections::BTreeMap,
fs::{self, File},
process::{self, Command},
};
fn rustc() -> Command {
let mut cmd = Command::new("rustc");
cmd.arg("+nightly");
cmd
}
fn assemble_really(target: &str, cfgs: &[&str], plugin_lto: bool) {
let mut cmd = rustc();
// Set the codegen target.
cmd.arg("--target").arg(target);
// Set all the `--cfg` directives for the target.
cmd.args(cfgs.iter().map(|cfg| format!("--cfg={}", cfg)));
// We want some level of debuginfo to allow unwinding through the functions.
cmd.arg("-g");
// We always optimize the assembly shims. There's not really any reason not to.
cmd.arg("-O");
// rustc will usually add frame pointers by default to aid with debugging, but that is a high
// overhead for the tiny assembly routines.
cmd.arg("-Cforce-frame-pointers=no");
// We don't want any system-specific paths to show up since we ship the result to other users.
// Add `--remap-path-prefix $(pwd)=.`.
let mut dir = current_dir().unwrap().as_os_str().to_os_string();
dir.push("=.");
cmd.arg("--remap-path-prefix").arg(dir);
// We let rustc build a single object file, not a staticlib, since the latter pulls in loads of
// code that will never be used (`compiler_builtins` and `core::fmt`, etc.). We build the static
// archive by hand after compiling.
cmd.arg("--emit=obj");
if plugin_lto {
// Make artifacts compatible with Linker-Plugin LTO (and incompatible with everything else).
cmd.arg("-Clinker-plugin-lto");
}
let file_stub = if plugin_lto {
format!("{}-lto", target)
} else {
target.to_string()
};
let obj_file = format!("bin/{}.o", file_stub);
// Pass output and input file.
cmd.arg("-o").arg(&obj_file);
cmd.arg("asm.rs");
println!("{:?}", cmd);
let status = cmd.status().unwrap();
assert!(status.success());
// Archive `target.o` -> `bin/target.a`.
let mut builder = ar::Builder::new(File::create(format!("bin/{}.a", file_stub)).unwrap());
// Use `append`, not `append_path`, to avoid adding any filesystem metadata (modification times,
// etc.).
let file = fs::read(&obj_file).unwrap();
builder
.append(
&ar::Header::new(obj_file.as_bytes().to_vec(), file.len() as u64),
&*file,
)
.unwrap();
fs::remove_file(&obj_file).unwrap();
}
fn assemble(target: &str, cfgs: &[&str]) {
assemble_really(target, cfgs, false);
assemble_really(target, cfgs, true);
}
// `--target` -> `--cfg` list (mirrors what `build.rs` does).
static TARGETS: &[(&str, &[&str])] = &[
("thumbv6m-none-eabi", &[]),
("thumbv7m-none-eabi", &["armv7m"]),
("thumbv7em-none-eabi", &["armv7m", "armv7em"]),
("thumbv7em-none-eabihf", &["armv7m", "armv7em", "has_fpu"]),
("thumbv8m.base-none-eabi", &["armv8m", "armv8m_base"]),
(
"thumbv8m.main-none-eabi",
&["armv7m", "armv8m", "armv8m_main"],
),
(
"thumbv8m.main-none-eabihf",
&["armv7m", "armv8m", "armv8m_main", "has_fpu"],
),
];
fn assemble_blobs() {
for (target, cfgs) in TARGETS {
println!("building artifacts for {}", target);
assemble(target, cfgs);
}
}
fn check_blobs() {
// Load each `.a` file in `bin` into memory.
let mut files_before = BTreeMap::new();
for entry in fs::read_dir("bin").unwrap() {
let entry = entry.unwrap();
if entry.path().extension().unwrap() == "a" {
files_before.insert(
entry
.path()
.file_name()
.unwrap()
.to_str()
.unwrap()
.to_string(),
fs::read(entry.path()).unwrap(),
);
}
}
assemble_blobs();
let mut files_after = BTreeMap::new();
for entry in fs::read_dir("bin").unwrap() {
let entry = entry.unwrap();
if entry.path().extension().unwrap() == "a" {
files_after.insert(
entry
.path()
.file_name()
.unwrap()
.to_str()
.unwrap()
.to_string(),
fs::read(entry.path()).unwrap(),
);
}
}
// Ensure they contain the same files.
let before = files_before.keys().collect::<Vec<_>>();
let after = files_after.keys().collect::<Vec<_>>();
assert_eq!(before, after);
for ((file, before), (_, after)) in files_before.iter().zip(files_after.iter()) {
if before != after {
panic!("{} differs between rebuilds", file);
}
}
println!("Blobs identical.");
}
fn main() {
let subcommand = env::args().skip(1).next();
match subcommand.as_deref() {
Some("assemble") => assemble_blobs(),
Some("check-blobs") => check_blobs(),
_ => {
eprintln!("usage: cargo xtask <subcommand>");
eprintln!();
eprintln!("subcommands:");
eprintln!(" assemble Reassemble the pre-built artifacts");
eprintln!(" check-blobs Check that the pre-built artifacts are up-to-date and reproducible");
process::exit(1);
}
}
}
|