]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/doc.rs
a1b5ca2ea2fa1f18c128645704f1dd329c0e6d79
[rust.git] / src / bootstrap / doc.rs
1 //! Documentation generation for rustbuilder.
2 //!
3 //! This module implements generation for all bits and pieces of documentation
4 //! for the Rust project. This notably includes suites like the rust book, the
5 //! nomicon, rust by example, standalone documentation, etc.
6 //!
7 //! Everything here is basically just a shim around calling either `rustbook` or
8 //! `rustdoc`.
9
10 use std::collections::HashSet;
11 use std::fs;
12 use std::io;
13 use std::path::{Path, PathBuf};
14
15 use crate::Mode;
16 use build_helper::{t, up_to_date};
17
18 use crate::builder::{Builder, Compiler, RunConfig, ShouldRun, Step};
19 use crate::cache::{Interned, INTERNER};
20 use crate::compile;
21 use crate::config::{Config, TargetSelection};
22 use crate::tool::{self, prepare_tool_cargo, SourceType, Tool};
23 use crate::util::symlink_dir;
24
25 macro_rules! book {
26     ($($name:ident, $path:expr, $book_name:expr;)+) => {
27         $(
28             #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
29         pub struct $name {
30             target: TargetSelection,
31         }
32
33         impl Step for $name {
34             type Output = ();
35             const DEFAULT: bool = true;
36
37             fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
38                 let builder = run.builder;
39                 run.path($path).default_condition(builder.config.docs)
40             }
41
42             fn make_run(run: RunConfig<'_>) {
43                 run.builder.ensure($name {
44                     target: run.target,
45                 });
46             }
47
48             fn run(self, builder: &Builder<'_>) {
49                 builder.ensure(RustbookSrc {
50                     target: self.target,
51                     name: INTERNER.intern_str($book_name),
52                     src: INTERNER.intern_path(builder.src.join($path)),
53                 })
54             }
55         }
56         )+
57     }
58 }
59
60 // NOTE: When adding a book here, make sure to ALSO build the book by
61 // adding a build step in `src/bootstrap/builder.rs`!
62 book!(
63     CargoBook, "src/tools/cargo/src/doc", "cargo";
64     EditionGuide, "src/doc/edition-guide", "edition-guide";
65     EmbeddedBook, "src/doc/embedded-book", "embedded-book";
66     Nomicon, "src/doc/nomicon", "nomicon";
67     Reference, "src/doc/reference", "reference";
68     RustByExample, "src/doc/rust-by-example", "rust-by-example";
69     RustcBook, "src/doc/rustc", "rustc";
70     RustdocBook, "src/doc/rustdoc", "rustdoc";
71 );
72
73 fn open(builder: &Builder<'_>, path: impl AsRef<Path>) {
74     if builder.config.dry_run || !builder.config.cmd.open() {
75         return;
76     }
77
78     let path = path.as_ref();
79     builder.info(&format!("Opening doc {}", path.display()));
80     if let Err(err) = opener::open(path) {
81         builder.info(&format!("{}\n", err));
82     }
83 }
84
85 // "library/std" -> ["library", "std"]
86 //
87 // Used for deciding whether a particular step is one requested by the user on
88 // the `x.py doc` command line, which determines whether `--open` will open that
89 // page.
90 fn components_simplified(path: &PathBuf) -> Vec<&str> {
91     path.iter().map(|component| component.to_str().unwrap_or("???")).collect()
92 }
93
94 fn is_explicit_request(builder: &Builder<'_>, path: &str) -> bool {
95     builder
96         .paths
97         .iter()
98         .map(components_simplified)
99         .any(|requested| requested.iter().copied().eq(path.split("/")))
100 }
101
102 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
103 pub struct UnstableBook {
104     target: TargetSelection,
105 }
106
107 impl Step for UnstableBook {
108     type Output = ();
109     const DEFAULT: bool = true;
110
111     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
112         let builder = run.builder;
113         run.path("src/doc/unstable-book").default_condition(builder.config.docs)
114     }
115
116     fn make_run(run: RunConfig<'_>) {
117         run.builder.ensure(UnstableBook { target: run.target });
118     }
119
120     fn run(self, builder: &Builder<'_>) {
121         builder.ensure(UnstableBookGen { target: self.target });
122         builder.ensure(RustbookSrc {
123             target: self.target,
124             name: INTERNER.intern_str("unstable-book"),
125             src: INTERNER.intern_path(builder.md_doc_out(self.target).join("unstable-book")),
126         })
127     }
128 }
129
130 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
131 struct RustbookSrc {
132     target: TargetSelection,
133     name: Interned<String>,
134     src: Interned<PathBuf>,
135 }
136
137 impl Step for RustbookSrc {
138     type Output = ();
139
140     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
141         run.never()
142     }
143
144     /// Invoke `rustbook` for `target` for the doc book `name` from the `src` path.
145     ///
146     /// This will not actually generate any documentation if the documentation has
147     /// already been generated.
148     fn run(self, builder: &Builder<'_>) {
149         let target = self.target;
150         let name = self.name;
151         let src = self.src;
152         let out = builder.doc_out(target);
153         t!(fs::create_dir_all(&out));
154
155         let out = out.join(name);
156         let index = out.join("index.html");
157         let rustbook = builder.tool_exe(Tool::Rustbook);
158         let mut rustbook_cmd = builder.tool_cmd(Tool::Rustbook);
159         if builder.config.dry_run || up_to_date(&src, &index) && up_to_date(&rustbook, &index) {
160             return;
161         }
162         builder.info(&format!("Rustbook ({}) - {}", target, name));
163         let _ = fs::remove_dir_all(&out);
164
165         builder.run(rustbook_cmd.arg("build").arg(&src).arg("-d").arg(out));
166     }
167 }
168
169 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
170 pub struct TheBook {
171     compiler: Compiler,
172     target: TargetSelection,
173 }
174
175 impl Step for TheBook {
176     type Output = ();
177     const DEFAULT: bool = true;
178
179     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
180         let builder = run.builder;
181         run.path("src/doc/book").default_condition(builder.config.docs)
182     }
183
184     fn make_run(run: RunConfig<'_>) {
185         run.builder.ensure(TheBook {
186             compiler: run.builder.compiler(run.builder.top_stage, run.builder.config.build),
187             target: run.target,
188         });
189     }
190
191     /// Builds the book and associated stuff.
192     ///
193     /// We need to build:
194     ///
195     /// * Book
196     /// * Older edition redirects
197     /// * Version info and CSS
198     /// * Index page
199     /// * Redirect pages
200     fn run(self, builder: &Builder<'_>) {
201         let compiler = self.compiler;
202         let target = self.target;
203
204         // build book
205         builder.ensure(RustbookSrc {
206             target,
207             name: INTERNER.intern_str("book"),
208             src: INTERNER.intern_path(builder.src.join("src/doc/book")),
209         });
210
211         // building older edition redirects
212         for edition in &["first-edition", "second-edition", "2018-edition"] {
213             builder.ensure(RustbookSrc {
214                 target,
215                 name: INTERNER.intern_string(format!("book/{}", edition)),
216                 src: INTERNER.intern_path(builder.src.join("src/doc/book").join(edition)),
217             });
218         }
219
220         // build the version info page and CSS
221         builder.ensure(Standalone { compiler, target });
222
223         // build the redirect pages
224         builder.info(&format!("Documenting book redirect pages ({})", target));
225         for file in t!(fs::read_dir(builder.src.join("src/doc/book/redirects"))) {
226             let file = t!(file);
227             let path = file.path();
228             let path = path.to_str().unwrap();
229
230             invoke_rustdoc(builder, compiler, target, path);
231         }
232
233         if is_explicit_request(builder, "src/doc/book") {
234             let out = builder.doc_out(target);
235             let index = out.join("book").join("index.html");
236             open(builder, &index);
237         }
238     }
239 }
240
241 fn invoke_rustdoc(
242     builder: &Builder<'_>,
243     compiler: Compiler,
244     target: TargetSelection,
245     markdown: &str,
246 ) {
247     let out = builder.doc_out(target);
248
249     let path = builder.src.join("src/doc").join(markdown);
250
251     let header = builder.src.join("src/doc/redirect.inc");
252     let footer = builder.src.join("src/doc/footer.inc");
253     let version_info = out.join("version_info.html");
254
255     let mut cmd = builder.rustdoc_cmd(compiler);
256
257     let out = out.join("book");
258
259     cmd.arg("--html-after-content")
260         .arg(&footer)
261         .arg("--html-before-content")
262         .arg(&version_info)
263         .arg("--html-in-header")
264         .arg(&header)
265         .arg("--markdown-no-toc")
266         .arg("--markdown-playground-url")
267         .arg("https://play.rust-lang.org/")
268         .arg("-o")
269         .arg(&out)
270         .arg(&path)
271         .arg("--markdown-css")
272         .arg("../rust.css");
273
274     builder.run(&mut cmd);
275 }
276
277 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
278 pub struct Standalone {
279     compiler: Compiler,
280     target: TargetSelection,
281 }
282
283 impl Step for Standalone {
284     type Output = ();
285     const DEFAULT: bool = true;
286
287     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
288         let builder = run.builder;
289         run.path("src/doc").default_condition(builder.config.docs)
290     }
291
292     fn make_run(run: RunConfig<'_>) {
293         run.builder.ensure(Standalone {
294             compiler: run.builder.compiler(run.builder.top_stage, run.builder.config.build),
295             target: run.target,
296         });
297     }
298
299     /// Generates all standalone documentation as compiled by the rustdoc in `stage`
300     /// for the `target` into `out`.
301     ///
302     /// This will list all of `src/doc` looking for markdown files and appropriately
303     /// perform transformations like substituting `VERSION`, `SHORT_HASH`, and
304     /// `STAMP` along with providing the various header/footer HTML we've customized.
305     ///
306     /// In the end, this is just a glorified wrapper around rustdoc!
307     fn run(self, builder: &Builder<'_>) {
308         let target = self.target;
309         let compiler = self.compiler;
310         builder.info(&format!("Documenting standalone ({})", target));
311         let out = builder.doc_out(target);
312         t!(fs::create_dir_all(&out));
313
314         let favicon = builder.src.join("src/doc/favicon.inc");
315         let footer = builder.src.join("src/doc/footer.inc");
316         let full_toc = builder.src.join("src/doc/full-toc.inc");
317         t!(fs::copy(builder.src.join("src/doc/rust.css"), out.join("rust.css")));
318
319         let version_input = builder.src.join("src/doc/version_info.html.template");
320         let version_info = out.join("version_info.html");
321
322         if !builder.config.dry_run && !up_to_date(&version_input, &version_info) {
323             let info = t!(fs::read_to_string(&version_input))
324                 .replace("VERSION", &builder.rust_release())
325                 .replace("SHORT_HASH", builder.rust_info.sha_short().unwrap_or(""))
326                 .replace("STAMP", builder.rust_info.sha().unwrap_or(""));
327             t!(fs::write(&version_info, &info));
328         }
329
330         for file in t!(fs::read_dir(builder.src.join("src/doc"))) {
331             let file = t!(file);
332             let path = file.path();
333             let filename = path.file_name().unwrap().to_str().unwrap();
334             if !filename.ends_with(".md") || filename == "README.md" {
335                 continue;
336             }
337
338             let html = out.join(filename).with_extension("html");
339             let rustdoc = builder.rustdoc(compiler);
340             if up_to_date(&path, &html)
341                 && up_to_date(&footer, &html)
342                 && up_to_date(&favicon, &html)
343                 && up_to_date(&full_toc, &html)
344                 && (builder.config.dry_run || up_to_date(&version_info, &html))
345                 && (builder.config.dry_run || up_to_date(&rustdoc, &html))
346             {
347                 continue;
348             }
349
350             let mut cmd = builder.rustdoc_cmd(compiler);
351             // Needed for --index-page flag
352             cmd.arg("-Z").arg("unstable-options");
353
354             cmd.arg("--html-after-content")
355                 .arg(&footer)
356                 .arg("--html-before-content")
357                 .arg(&version_info)
358                 .arg("--html-in-header")
359                 .arg(&favicon)
360                 .arg("--markdown-no-toc")
361                 .arg("--index-page")
362                 .arg(&builder.src.join("src/doc/index.md"))
363                 .arg("--markdown-playground-url")
364                 .arg("https://play.rust-lang.org/")
365                 .arg("-o")
366                 .arg(&out)
367                 .arg(&path);
368
369             if filename == "not_found.md" {
370                 cmd.arg("--markdown-css").arg("https://doc.rust-lang.org/rust.css");
371             } else {
372                 cmd.arg("--markdown-css").arg("rust.css");
373             }
374             builder.run(&mut cmd);
375         }
376
377         // We open doc/index.html as the default if invoked as `x.py doc --open`
378         // with no particular explicit doc requested (e.g. library/core).
379         if builder.paths.is_empty() || is_explicit_request(builder, "src/doc") {
380             let index = out.join("index.html");
381             open(builder, &index);
382         }
383     }
384 }
385
386 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
387 pub struct Std {
388     pub stage: u32,
389     pub target: TargetSelection,
390 }
391
392 impl Step for Std {
393     type Output = ();
394     const DEFAULT: bool = true;
395
396     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
397         let builder = run.builder;
398         run.all_krates("test").default_condition(builder.config.docs)
399     }
400
401     fn make_run(run: RunConfig<'_>) {
402         run.builder.ensure(Std { stage: run.builder.top_stage, target: run.target });
403     }
404
405     /// Compile all standard library documentation.
406     ///
407     /// This will generate all documentation for the standard library and its
408     /// dependencies. This is largely just a wrapper around `cargo doc`.
409     fn run(self, builder: &Builder<'_>) {
410         let stage = self.stage;
411         let target = self.target;
412         builder.info(&format!("Documenting stage{} std ({})", stage, target));
413         let out = builder.doc_out(target);
414         t!(fs::create_dir_all(&out));
415         let compiler = builder.compiler(stage, builder.config.build);
416
417         builder.ensure(compile::Std { compiler, target });
418         let out_dir = builder.stage_out(compiler, Mode::Std).join(target.triple).join("doc");
419
420         t!(fs::copy(builder.src.join("src/doc/rust.css"), out.join("rust.css")));
421
422         let run_cargo_rustdoc_for = |package: &str| {
423             let mut cargo =
424                 builder.cargo(compiler, Mode::Std, SourceType::InTree, target, "rustdoc");
425             compile::std_cargo(builder, target, compiler.stage, &mut cargo);
426
427             cargo
428                 .arg("-p")
429                 .arg(package)
430                 .arg("--")
431                 .arg("--markdown-css")
432                 .arg("rust.css")
433                 .arg("--markdown-no-toc")
434                 .arg("-Z")
435                 .arg("unstable-options")
436                 .arg("--resource-suffix")
437                 .arg(crate::channel::CFG_RELEASE_NUM)
438                 .arg("--index-page")
439                 .arg(&builder.src.join("src/doc/index.md"));
440
441             builder.run(&mut cargo.into());
442         };
443         // Only build the following crates. While we could just iterate over the
444         // folder structure, that would also build internal crates that we do
445         // not want to show in documentation. These crates will later be visited
446         // by the rustc step, so internal documentation will show them.
447         //
448         // Note that the order here is important! The crates need to be
449         // processed starting from the leaves, otherwise rustdoc will not
450         // create correct links between crates because rustdoc depends on the
451         // existence of the output directories to know if it should be a local
452         // or remote link.
453         let krates = ["core", "alloc", "std", "proc_macro", "test"];
454         for krate in &krates {
455             run_cargo_rustdoc_for(krate);
456         }
457         builder.cp_r(&out_dir, &out);
458
459         // Look for library/std, library/core etc in the `x.py doc` arguments and
460         // open the corresponding rendered docs.
461         for path in builder.paths.iter().map(components_simplified) {
462             if path.get(0) == Some(&"library") {
463                 let requested_crate = &path[1];
464                 if krates.contains(&requested_crate) {
465                     let index = out.join(requested_crate).join("index.html");
466                     open(builder, &index);
467                 }
468             }
469         }
470     }
471 }
472
473 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
474 pub struct Rustc {
475     stage: u32,
476     target: TargetSelection,
477 }
478
479 impl Step for Rustc {
480     type Output = ();
481     const DEFAULT: bool = true;
482     const ONLY_HOSTS: bool = true;
483
484     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
485         let builder = run.builder;
486         run.krate("rustc-main").default_condition(builder.config.docs)
487     }
488
489     fn make_run(run: RunConfig<'_>) {
490         run.builder.ensure(Rustc { stage: run.builder.top_stage, target: run.target });
491     }
492
493     /// Generates compiler documentation.
494     ///
495     /// This will generate all documentation for compiler and dependencies.
496     /// Compiler documentation is distributed separately, so we make sure
497     /// we do not merge it with the other documentation from std, test and
498     /// proc_macros. This is largely just a wrapper around `cargo doc`.
499     fn run(self, builder: &Builder<'_>) {
500         let stage = self.stage;
501         let target = self.target;
502         builder.info(&format!("Documenting stage{} compiler ({})", stage, target));
503
504         // This is the intended out directory for compiler documentation.
505         let out = builder.compiler_doc_out(target);
506         t!(fs::create_dir_all(&out));
507
508         let compiler = builder.compiler(stage, builder.config.build);
509
510         if !builder.config.compiler_docs {
511             builder.info("\tskipping - compiler/librustdoc docs disabled");
512             return;
513         }
514
515         // Build rustc.
516         builder.ensure(compile::Rustc { compiler, target });
517
518         // This uses a shared directory so that librustdoc documentation gets
519         // correctly built and merged with the rustc documentation. This is
520         // needed because rustdoc is built in a different directory from
521         // rustc. rustdoc needs to be able to see everything, for example when
522         // merging the search index, or generating local (relative) links.
523         let out_dir = builder.stage_out(compiler, Mode::Rustc).join(target.triple).join("doc");
524         t!(symlink_dir_force(&builder.config, &out, &out_dir));
525
526         // Build cargo command.
527         let mut cargo = builder.cargo(compiler, Mode::Rustc, SourceType::InTree, target, "doc");
528         cargo.rustdocflag("--document-private-items");
529         cargo.rustdocflag("--enable-index-page");
530         cargo.rustdocflag("-Zunstable-options");
531         compile::rustc_cargo(builder, &mut cargo, target);
532
533         // Only include compiler crates, no dependencies of those, such as `libc`.
534         cargo.arg("--no-deps");
535
536         // Find dependencies for top level crates.
537         let mut compiler_crates = HashSet::new();
538         for root_crate in &["rustc_driver", "rustc_codegen_llvm", "rustc_codegen_ssa"] {
539             compiler_crates
540                 .extend(builder.in_tree_crates(root_crate).into_iter().map(|krate| krate.name));
541         }
542
543         for krate in &compiler_crates {
544             // Create all crate output directories first to make sure rustdoc uses
545             // relative links.
546             // FIXME: Cargo should probably do this itself.
547             t!(fs::create_dir_all(out_dir.join(krate)));
548             cargo.arg("-p").arg(krate);
549         }
550
551         builder.run(&mut cargo.into());
552     }
553 }
554
555 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
556 pub struct Rustdoc {
557     stage: u32,
558     target: TargetSelection,
559 }
560
561 impl Step for Rustdoc {
562     type Output = ();
563     const DEFAULT: bool = true;
564     const ONLY_HOSTS: bool = true;
565
566     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
567         run.krate("rustdoc-tool")
568     }
569
570     fn make_run(run: RunConfig<'_>) {
571         run.builder.ensure(Rustdoc { stage: run.builder.top_stage, target: run.target });
572     }
573
574     /// Generates compiler documentation.
575     ///
576     /// This will generate all documentation for compiler and dependencies.
577     /// Compiler documentation is distributed separately, so we make sure
578     /// we do not merge it with the other documentation from std, test and
579     /// proc_macros. This is largely just a wrapper around `cargo doc`.
580     fn run(self, builder: &Builder<'_>) {
581         let stage = self.stage;
582         let target = self.target;
583         builder.info(&format!("Documenting stage{} rustdoc ({})", stage, target));
584
585         // This is the intended out directory for compiler documentation.
586         let out = builder.compiler_doc_out(target);
587         t!(fs::create_dir_all(&out));
588
589         let compiler = builder.compiler(stage, builder.config.build);
590
591         if !builder.config.compiler_docs {
592             builder.info("\tskipping - compiler/librustdoc docs disabled");
593             return;
594         }
595
596         // Build rustc docs so that we generate relative links.
597         builder.ensure(Rustc { stage, target });
598
599         // Build rustdoc.
600         builder.ensure(tool::Rustdoc { compiler });
601
602         // Symlink compiler docs to the output directory of rustdoc documentation.
603         let out_dir = builder.stage_out(compiler, Mode::ToolRustc).join(target.triple).join("doc");
604         t!(fs::create_dir_all(&out_dir));
605         t!(symlink_dir_force(&builder.config, &out, &out_dir));
606
607         // Build cargo command.
608         let mut cargo = prepare_tool_cargo(
609             builder,
610             compiler,
611             Mode::ToolRustc,
612             target,
613             "doc",
614             "src/tools/rustdoc",
615             SourceType::InTree,
616             &[],
617         );
618
619         // Only include compiler crates, no dependencies of those, such as `libc`.
620         cargo.arg("--no-deps");
621         cargo.arg("-p").arg("rustdoc");
622
623         cargo.rustdocflag("--document-private-items");
624         builder.run(&mut cargo.into());
625     }
626 }
627
628 #[derive(Ord, PartialOrd, Debug, Copy, Clone, Hash, PartialEq, Eq)]
629 pub struct ErrorIndex {
630     pub compiler: Compiler,
631     pub target: TargetSelection,
632 }
633
634 impl Step for ErrorIndex {
635     type Output = ();
636     const DEFAULT: bool = true;
637     const ONLY_HOSTS: bool = true;
638
639     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
640         let builder = run.builder;
641         run.path("src/tools/error_index_generator").default_condition(builder.config.docs)
642     }
643
644     fn make_run(run: RunConfig<'_>) {
645         let target = run.target;
646         // error_index_generator depends on librustdoc. Use the compiler that
647         // is normally used to build rustdoc for other documentation so that
648         // it shares the same artifacts.
649         let compiler =
650             run.builder.compiler_for(run.builder.top_stage, run.builder.config.build, target);
651         run.builder.ensure(ErrorIndex { compiler, target });
652     }
653
654     /// Generates the HTML rendered error-index by running the
655     /// `error_index_generator` tool.
656     fn run(self, builder: &Builder<'_>) {
657         builder.info(&format!("Documenting error index ({})", self.target));
658         let out = builder.doc_out(self.target);
659         t!(fs::create_dir_all(&out));
660         let mut index = tool::ErrorIndex::command(builder, self.compiler);
661         index.arg("html");
662         index.arg(out.join("error-index.html"));
663         index.arg(crate::channel::CFG_RELEASE_NUM);
664
665         builder.run(&mut index);
666     }
667 }
668
669 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
670 pub struct UnstableBookGen {
671     target: TargetSelection,
672 }
673
674 impl Step for UnstableBookGen {
675     type Output = ();
676     const DEFAULT: bool = true;
677     const ONLY_HOSTS: bool = true;
678
679     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
680         let builder = run.builder;
681         run.path("src/tools/unstable-book-gen").default_condition(builder.config.docs)
682     }
683
684     fn make_run(run: RunConfig<'_>) {
685         run.builder.ensure(UnstableBookGen { target: run.target });
686     }
687
688     fn run(self, builder: &Builder<'_>) {
689         let target = self.target;
690
691         builder.info(&format!("Generating unstable book md files ({})", target));
692         let out = builder.md_doc_out(target).join("unstable-book");
693         builder.create_dir(&out);
694         builder.remove_dir(&out);
695         let mut cmd = builder.tool_cmd(Tool::UnstableBookGen);
696         cmd.arg(builder.src.join("library"));
697         cmd.arg(builder.src.join("src"));
698         cmd.arg(out);
699
700         builder.run(&mut cmd);
701     }
702 }
703
704 fn symlink_dir_force(config: &Config, src: &Path, dst: &Path) -> io::Result<()> {
705     if config.dry_run {
706         return Ok(());
707     }
708     if let Ok(m) = fs::symlink_metadata(dst) {
709         if m.file_type().is_dir() {
710             fs::remove_dir_all(dst)?;
711         } else {
712             // handle directory junctions on windows by falling back to
713             // `remove_dir`.
714             fs::remove_file(dst).or_else(|_| fs::remove_dir(dst))?;
715         }
716     }
717
718     symlink_dir(config, src, dst)
719 }