]> git.lizzy.rs Git - rust.git/blob - src/tools/build-manifest/src/main.rs
Rollup merge of #40521 - TimNN:panic-free-shift, r=alexcrichton
[rust.git] / src / tools / build-manifest / src / main.rs
1 // Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 extern crate toml;
12 extern crate rustc_serialize;
13
14 use std::collections::{BTreeMap, HashMap};
15 use std::env;
16 use std::fs::File;
17 use std::io::{self, Read, Write};
18 use std::path::{PathBuf, Path};
19 use std::process::{Command, Stdio};
20
21 static HOSTS: &'static [&'static str] = &[
22     "aarch64-unknown-linux-gnu",
23     "arm-unknown-linux-gnueabi",
24     "arm-unknown-linux-gnueabihf",
25     "armv7-unknown-linux-gnueabihf",
26     "i686-apple-darwin",
27     "i686-pc-windows-gnu",
28     "i686-pc-windows-msvc",
29     "i686-unknown-linux-gnu",
30     "mips-unknown-linux-gnu",
31     "mips64-unknown-linux-gnuabi64",
32     "mips64el-unknown-linux-gnuabi64",
33     "mipsel-unknown-linux-gnu",
34     "powerpc-unknown-linux-gnu",
35     "powerpc64-unknown-linux-gnu",
36     "powerpc64le-unknown-linux-gnu",
37     "s390x-unknown-linux-gnu",
38     "x86_64-apple-darwin",
39     "x86_64-pc-windows-gnu",
40     "x86_64-pc-windows-msvc",
41     "x86_64-unknown-freebsd",
42     "x86_64-unknown-linux-gnu",
43     "x86_64-unknown-netbsd",
44 ];
45
46 static TARGETS: &'static [&'static str] = &[
47     "aarch64-apple-ios",
48     "aarch64-unknown-fuchsia",
49     "aarch64-linux-android",
50     "aarch64-unknown-linux-gnu",
51     "arm-linux-androideabi",
52     "arm-unknown-linux-gnueabi",
53     "arm-unknown-linux-gnueabihf",
54     "arm-unknown-linux-musleabi",
55     "arm-unknown-linux-musleabihf",
56     "armv7-apple-ios",
57     "armv7-linux-androideabi",
58     "armv7-unknown-linux-gnueabihf",
59     "armv7-unknown-linux-musleabihf",
60     "armv7s-apple-ios",
61     "asmjs-unknown-emscripten",
62     "i386-apple-ios",
63     "i586-pc-windows-msvc",
64     "i586-unknown-linux-gnu",
65     "i686-apple-darwin",
66     "i686-linux-android",
67     "i686-pc-windows-gnu",
68     "i686-pc-windows-msvc",
69     "i686-unknown-freebsd",
70     "i686-unknown-linux-gnu",
71     "i686-unknown-linux-musl",
72     "mips-unknown-linux-gnu",
73     "mips-unknown-linux-musl",
74     "mips64-unknown-linux-gnuabi64",
75     "mips64el-unknown-linux-gnuabi64",
76     "mipsel-unknown-linux-gnu",
77     "mipsel-unknown-linux-musl",
78     "powerpc-unknown-linux-gnu",
79     "powerpc64-unknown-linux-gnu",
80     "powerpc64le-unknown-linux-gnu",
81     "s390x-unknown-linux-gnu",
82     "sparc64-unknown-linux-gnu",
83     "wasm32-unknown-emscripten",
84     "x86_64-apple-darwin",
85     "x86_64-apple-ios",
86     "x86_64-pc-windows-gnu",
87     "x86_64-pc-windows-msvc",
88     "x86_64-rumprun-netbsd",
89     "x86_64-unknown-freebsd",
90     "x86_64-unknown-fuchsia",
91     "x86_64-unknown-linux-gnu",
92     "x86_64-unknown-linux-musl",
93     "x86_64-unknown-netbsd",
94 ];
95
96 static MINGW: &'static [&'static str] = &[
97     "i686-pc-windows-gnu",
98     "x86_64-pc-windows-gnu",
99 ];
100
101 struct Manifest {
102     manifest_version: String,
103     date: String,
104     pkg: HashMap<String, Package>,
105 }
106
107 #[derive(RustcEncodable)]
108 struct Package {
109     version: String,
110     target: HashMap<String, Target>,
111 }
112
113 #[derive(RustcEncodable)]
114 struct Target {
115     available: bool,
116     url: Option<String>,
117     hash: Option<String>,
118     components: Option<Vec<Component>>,
119     extensions: Option<Vec<Component>>,
120 }
121
122 #[derive(RustcEncodable)]
123 struct Component {
124     pkg: String,
125     target: String,
126 }
127
128 macro_rules! t {
129     ($e:expr) => (match $e {
130         Ok(e) => e,
131         Err(e) => panic!("{} failed with {}", stringify!($e), e),
132     })
133 }
134
135 struct Builder {
136     rust_release: String,
137     cargo_release: String,
138     input: PathBuf,
139     output: PathBuf,
140     gpg_passphrase: String,
141     digests: HashMap<String, String>,
142     s3_address: String,
143     date: String,
144     rust_version: String,
145     cargo_version: String,
146 }
147
148 fn main() {
149     let mut args = env::args().skip(1);
150     let input = PathBuf::from(args.next().unwrap());
151     let output = PathBuf::from(args.next().unwrap());
152     let date = args.next().unwrap();
153     let rust_release = args.next().unwrap();
154     let cargo_release = args.next().unwrap();
155     let s3_address = args.next().unwrap();
156     let mut passphrase = String::new();
157     t!(io::stdin().read_to_string(&mut passphrase));
158
159     Builder {
160         rust_release: rust_release,
161         cargo_release: cargo_release,
162         input: input,
163         output: output,
164         gpg_passphrase: passphrase,
165         digests: HashMap::new(),
166         s3_address: s3_address,
167         date: date,
168         rust_version: String::new(),
169         cargo_version: String::new(),
170     }.build();
171 }
172
173 impl Builder {
174     fn build(&mut self) {
175         self.rust_version = self.version("rust", "x86_64-unknown-linux-gnu");
176         self.cargo_version = self.version("cargo", "x86_64-unknown-linux-gnu");
177
178         self.digest_and_sign();
179         let Manifest { manifest_version, date, pkg } = self.build_manifest();
180
181         // Unfortunately we can't use derive(RustcEncodable) here because the
182         // version field is called `manifest-version`, not `manifest_version`.
183         // In lieu of that just create the table directly here with a `BTreeMap`
184         // and wrap it up in a `Value::Table`.
185         let mut manifest = BTreeMap::new();
186         manifest.insert("manifest-version".to_string(),
187                         toml::Value::String(manifest_version));
188         manifest.insert("date".to_string(), toml::Value::String(date.clone()));
189         manifest.insert("pkg".to_string(), toml::encode(&pkg));
190         let manifest = toml::Value::Table(manifest).to_string();
191
192         let filename = format!("channel-rust-{}.toml", self.rust_release);
193         self.write_manifest(&manifest, &filename);
194
195         let filename = format!("channel-rust-{}-date.txt", self.rust_release);
196         self.write_date_stamp(&date, &filename);
197
198         if self.rust_release != "beta" && self.rust_release != "nightly" {
199             self.write_manifest(&manifest, "channel-rust-stable.toml");
200             self.write_date_stamp(&date, "channel-rust-stable-date.txt");
201         }
202     }
203
204     fn digest_and_sign(&mut self) {
205         for file in t!(self.input.read_dir()).map(|e| t!(e).path()) {
206             let filename = file.file_name().unwrap().to_str().unwrap();
207             let digest = self.hash(&file);
208             self.sign(&file);
209             assert!(self.digests.insert(filename.to_string(), digest).is_none());
210         }
211     }
212
213     fn build_manifest(&mut self) -> Manifest {
214         let mut manifest = Manifest {
215             manifest_version: "2".to_string(),
216             date: self.date.to_string(),
217             pkg: HashMap::new(),
218         };
219
220         self.package("rustc", &mut manifest.pkg, HOSTS);
221         self.package("cargo", &mut manifest.pkg, HOSTS);
222         self.package("rust-mingw", &mut manifest.pkg, MINGW);
223         self.package("rust-std", &mut manifest.pkg, TARGETS);
224         self.package("rust-docs", &mut manifest.pkg, TARGETS);
225         self.package("rust-src", &mut manifest.pkg, &["*"]);
226
227         if self.rust_release == "nightly" {
228             self.package("rust-analysis", &mut manifest.pkg, TARGETS);
229         }
230
231         let mut pkg = Package {
232             version: self.cached_version("rust").to_string(),
233             target: HashMap::new(),
234         };
235         for host in HOSTS {
236             let filename = self.filename("rust", host);
237             let digest = match self.digests.remove(&filename) {
238                 Some(digest) => digest,
239                 None => {
240                     pkg.target.insert(host.to_string(), Target {
241                         available: false,
242                         url: None,
243                         hash: None,
244                         components: None,
245                         extensions: None,
246                     });
247                     continue
248                 }
249             };
250             let mut components = Vec::new();
251             let mut extensions = Vec::new();
252
253             // rustc/rust-std/cargo/docs are all required, and so is rust-mingw
254             // if it's available for the target.
255             components.extend(vec![
256                 Component { pkg: "rustc".to_string(), target: host.to_string() },
257                 Component { pkg: "rust-std".to_string(), target: host.to_string() },
258                 Component { pkg: "cargo".to_string(), target: host.to_string() },
259                 Component { pkg: "rust-docs".to_string(), target: host.to_string() },
260             ]);
261             if host.contains("pc-windows-gnu") {
262                 components.push(Component {
263                     pkg: "rust-mingw".to_string(),
264                     target: host.to_string(),
265                 });
266             }
267
268             for target in TARGETS {
269                 if target != host {
270                     extensions.push(Component {
271                         pkg: "rust-std".to_string(),
272                         target: target.to_string(),
273                     });
274                 }
275                 if self.rust_release == "nightly" {
276                     extensions.push(Component {
277                         pkg: "rust-analysis".to_string(),
278                         target: target.to_string(),
279                     });
280                 }
281             }
282             extensions.push(Component {
283                 pkg: "rust-src".to_string(),
284                 target: "*".to_string(),
285             });
286
287             pkg.target.insert(host.to_string(), Target {
288                 available: true,
289                 url: Some(self.url("rust", host)),
290                 hash: Some(digest),
291                 components: Some(components),
292                 extensions: Some(extensions),
293             });
294         }
295         manifest.pkg.insert("rust".to_string(), pkg);
296
297         return manifest
298     }
299
300     fn package(&mut self,
301                pkgname: &str,
302                dst: &mut HashMap<String, Package>,
303                targets: &[&str]) {
304         let targets = targets.iter().map(|name| {
305             let filename = self.filename(pkgname, name);
306             let digest = match self.digests.remove(&filename) {
307                 Some(digest) => digest,
308                 None => {
309                     return (name.to_string(), Target {
310                         available: false,
311                         url: None,
312                         hash: None,
313                         components: None,
314                         extensions: None,
315                     })
316                 }
317             };
318
319             (name.to_string(), Target {
320                 available: true,
321                 url: Some(self.url(pkgname, name)),
322                 hash: Some(digest),
323                 components: None,
324                 extensions: None,
325             })
326         }).collect();
327
328         dst.insert(pkgname.to_string(), Package {
329             version: self.cached_version(pkgname).to_string(),
330             target: targets,
331         });
332     }
333
334     fn url(&self, component: &str, target: &str) -> String {
335         format!("{}/{}/{}",
336                 self.s3_address,
337                 self.date,
338                 self.filename(component, target))
339     }
340
341     fn filename(&self, component: &str, target: &str) -> String {
342         if component == "rust-src" {
343             format!("rust-src-{}.tar.gz", self.rust_release)
344         } else if component == "cargo" {
345             format!("cargo-{}-{}.tar.gz", self.cargo_release, target)
346         } else {
347             format!("{}-{}-{}.tar.gz", component, self.rust_release, target)
348         }
349     }
350
351     fn cached_version(&self, component: &str) -> &str {
352         if component == "cargo" {
353             &self.cargo_version
354         } else {
355             &self.rust_version
356         }
357     }
358
359     fn version(&self, component: &str, target: &str) -> String {
360         let mut cmd = Command::new("tar");
361         let filename = self.filename(component, target);
362         cmd.arg("xf")
363            .arg(self.input.join(&filename))
364            .arg(format!("{}/version", filename.replace(".tar.gz", "")))
365            .arg("-O");
366         let version = t!(cmd.output());
367         if !version.status.success() {
368             panic!("failed to learn version:\n\n{:?}\n\n{}\n\n{}",
369                    cmd,
370                    String::from_utf8_lossy(&version.stdout),
371                    String::from_utf8_lossy(&version.stderr));
372         }
373         String::from_utf8_lossy(&version.stdout).trim().to_string()
374     }
375
376     fn hash(&self, path: &Path) -> String {
377         let sha = t!(Command::new("shasum")
378                         .arg("-a").arg("256")
379                         .arg(path.file_name().unwrap())
380                         .current_dir(path.parent().unwrap())
381                         .output());
382         assert!(sha.status.success());
383
384         let filename = path.file_name().unwrap().to_str().unwrap();
385         let sha256 = self.output.join(format!("{}.sha256", filename));
386         t!(t!(File::create(&sha256)).write_all(&sha.stdout));
387
388         let stdout = String::from_utf8_lossy(&sha.stdout);
389         stdout.split_whitespace().next().unwrap().to_string()
390     }
391
392     fn sign(&self, path: &Path) {
393         let filename = path.file_name().unwrap().to_str().unwrap();
394         let asc = self.output.join(format!("{}.asc", filename));
395         println!("signing: {:?}", path);
396         let mut cmd = Command::new("gpg");
397         cmd.arg("--no-tty")
398             .arg("--yes")
399             .arg("--passphrase-fd").arg("0")
400             .arg("--armor")
401             .arg("--output").arg(&asc)
402             .arg("--detach-sign").arg(path)
403             .stdin(Stdio::piped());
404         let mut child = t!(cmd.spawn());
405         t!(child.stdin.take().unwrap().write_all(self.gpg_passphrase.as_bytes()));
406         assert!(t!(child.wait()).success());
407     }
408
409     fn write_manifest(&self, manifest: &str, name: &str) {
410         let dst = self.output.join(name);
411         t!(t!(File::create(&dst)).write_all(manifest.as_bytes()));
412         self.hash(&dst);
413         self.sign(&dst);
414     }
415
416     fn write_date_stamp(&self, date: &str, name: &str) {
417         let dst = self.output.join(name);
418         t!(t!(File::create(&dst)).write_all(date.as_bytes()));
419         self.hash(&dst);
420         self.sign(&dst);
421     }
422 }