flowey_lib_hvlite/
run_cargo_build.rs

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
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.

//! Returns well-formed `cargo build` invocations for building crates
//! specifically in the the hvlite repo.
//!
//! Uses the generic [`flowey_lib_common::run_cargo_build`] helper under
//! the hood, but fine-tunes the exposed API to the HvLite repo.

use flowey::node::prelude::*;
use flowey_lib_common::run_cargo_build::CargoBuildProfile;
use flowey_lib_common::run_cargo_build::CargoCrateType;
use std::collections::BTreeMap;
use std::collections::BTreeSet;

/// In the HvLite repo, we use a custom step to strip debug info from linux
/// binaries
///
/// We cannot use rustc's split DWARF option because Azure Watson does not
/// support split DWARF debuginfo.
#[derive(Serialize, Deserialize)]
pub enum CargoBuildOutput {
    WindowsBin {
        exe: PathBuf,
        pdb: PathBuf,
    },
    ElfBin {
        bin: PathBuf,
        dbg: Option<PathBuf>,
    },
    LinuxStaticLib {
        a: PathBuf,
    },
    LinuxDynamicLib {
        so: PathBuf,
    },
    WindowsStaticLib {
        lib: PathBuf,
        pdb: PathBuf,
    },
    WindowsDynamicLib {
        dll: PathBuf,
        dll_lib: PathBuf,
        pdb: PathBuf,
    },
    UefiBin {
        efi: PathBuf,
        pdb: PathBuf,
    },
}

impl CargoBuildOutput {
    pub fn from_base_cargo_build_output(
        base: flowey_lib_common::run_cargo_build::CargoBuildOutput,
        elf_dbg: Option<PathBuf>,
    ) -> Self {
        use flowey_lib_common::run_cargo_build::CargoBuildOutput as Base;

        match base {
            Base::WindowsBin { exe, pdb } => Self::WindowsBin { exe, pdb },
            Base::LinuxStaticLib { a } => Self::LinuxStaticLib { a },
            Base::LinuxDynamicLib { so } => Self::LinuxDynamicLib { so },
            Base::WindowsStaticLib { lib, pdb } => Self::WindowsStaticLib { lib, pdb },
            Base::WindowsDynamicLib { dll, dll_lib, pdb } => {
                Self::WindowsDynamicLib { dll, dll_lib, pdb }
            }
            Base::UefiBin { efi, pdb } => Self::UefiBin { efi, pdb },

            Base::ElfBin { bin } => Self::ElfBin { bin, dbg: elf_dbg },
        }
    }
}

/// Outside of a few binaries / libraries that are intimately tied to one
/// particular architecture / platform, most things in the hvlite tree run on a
/// common subset of supported target triples + build profiles.
pub mod common {
    use serde::Deserialize;
    use serde::Serialize;

    /// Vocabulary type for artifacts that only get built using the two most
    /// common cargo build profiles (i.e: `release` vs. `debug`).
    ///
    /// More specialized artifacts should use the
    /// [`BuildProfile`](super::BuildProfile) type, which enumerates _all_ build
    /// profiles defined in HvLite's `Cargo.toml` file.
    #[derive(Serialize, Deserialize, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug)]
    pub enum CommonProfile {
        Release,
        Debug,
    }

    impl CommonProfile {
        pub fn from_release(release: bool) -> Self {
            match release {
                true => Self::Release,
                false => Self::Debug,
            }
        }

        pub fn to_release(self) -> bool {
            match self {
                Self::Release => true,
                Self::Debug => false,
            }
        }
    }

    impl From<CommonProfile> for super::BuildProfile {
        fn from(value: CommonProfile) -> Self {
            match value {
                CommonProfile::Release => super::BuildProfile::Release,
                CommonProfile::Debug => super::BuildProfile::Debug,
            }
        }
    }

    /// Vocabulary type for artifacts that only get built for the most common
    /// actively-supported architectures in the hvlite tree.
    #[derive(Serialize, Deserialize, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug)]
    pub enum CommonArch {
        X86_64,
        Aarch64,
    }

    impl CommonArch {
        pub fn as_arch(&self) -> target_lexicon::Architecture {
            match self {
                CommonArch::X86_64 => target_lexicon::Architecture::X86_64,
                CommonArch::Aarch64 => target_lexicon::Architecture::Aarch64(
                    target_lexicon::Aarch64Architecture::Aarch64,
                ),
            }
        }

        pub fn from_triple(triple: &target_lexicon::Triple) -> Option<Self> {
            let arch = match triple.architecture {
                target_lexicon::Architecture::Aarch64(
                    target_lexicon::Aarch64Architecture::Aarch64,
                ) => Self::Aarch64,
                target_lexicon::Architecture::X86_64 => Self::X86_64,
                _ => return None,
            };
            Some(arch)
        }
    }

    /// Vocabulary type for artifacts that only get built for the most common
    /// actively-supported platforms in the hvlite tree.
    #[derive(Serialize, Deserialize, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug)]
    pub enum CommonPlatform {
        WindowsMsvc,
        LinuxGnu,
        LinuxMusl,
        MacOs,
    }

    #[derive(Serialize, Deserialize, Clone, PartialEq, Eq)]
    pub enum CommonTriple {
        Common {
            arch: CommonArch,
            platform: CommonPlatform,
        },
        Custom(target_lexicon::Triple),
    }

    impl CommonTriple {
        pub const X86_64_WINDOWS_MSVC: Self = Self::Common {
            arch: CommonArch::X86_64,
            platform: CommonPlatform::WindowsMsvc,
        };
        pub const X86_64_LINUX_GNU: Self = Self::Common {
            arch: CommonArch::X86_64,
            platform: CommonPlatform::LinuxGnu,
        };
        pub const X86_64_LINUX_MUSL: Self = Self::Common {
            arch: CommonArch::X86_64,
            platform: CommonPlatform::LinuxMusl,
        };
        pub const AARCH64_WINDOWS_MSVC: Self = Self::Common {
            arch: CommonArch::Aarch64,
            platform: CommonPlatform::WindowsMsvc,
        };
        pub const AARCH64_LINUX_GNU: Self = Self::Common {
            arch: CommonArch::Aarch64,
            platform: CommonPlatform::LinuxGnu,
        };
        pub const AARCH64_LINUX_MUSL: Self = Self::Common {
            arch: CommonArch::Aarch64,
            platform: CommonPlatform::LinuxMusl,
        };
    }

    impl std::fmt::Debug for CommonTriple {
        fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
            std::fmt::Debug::fmt(&self.as_triple(), f)
        }
    }

    impl std::fmt::Display for CommonTriple {
        fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
            std::fmt::Display::fmt(&self.as_triple(), f)
        }
    }

    impl PartialOrd for CommonTriple {
        fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
            Some(self.cmp(other))
        }
    }

    impl Ord for CommonTriple {
        fn cmp(&self, other: &Self) -> std::cmp::Ordering {
            self.as_triple()
                .to_string()
                .cmp(&other.as_triple().to_string())
        }
    }

    impl CommonTriple {
        pub fn as_triple(&self) -> target_lexicon::Triple {
            match self {
                CommonTriple::Common { arch, platform } => match platform {
                    CommonPlatform::WindowsMsvc => target_lexicon::Triple {
                        architecture: arch.as_arch(),
                        vendor: target_lexicon::Vendor::Pc,
                        operating_system: target_lexicon::OperatingSystem::Windows,
                        environment: target_lexicon::Environment::Msvc,
                        binary_format: target_lexicon::BinaryFormat::Coff,
                    },
                    CommonPlatform::LinuxGnu => target_lexicon::Triple {
                        architecture: arch.as_arch(),
                        vendor: target_lexicon::Vendor::Unknown,
                        operating_system: target_lexicon::OperatingSystem::Linux,
                        environment: target_lexicon::Environment::Gnu,
                        binary_format: target_lexicon::BinaryFormat::Elf,
                    },
                    CommonPlatform::LinuxMusl => target_lexicon::Triple {
                        architecture: arch.as_arch(),
                        vendor: target_lexicon::Vendor::Unknown,
                        operating_system: target_lexicon::OperatingSystem::Linux,
                        environment: target_lexicon::Environment::Musl,
                        binary_format: target_lexicon::BinaryFormat::Elf,
                    },
                    CommonPlatform::MacOs => target_lexicon::Triple {
                        architecture: arch.as_arch(),
                        vendor: target_lexicon::Vendor::Apple,
                        operating_system: target_lexicon::OperatingSystem::Darwin(None),
                        environment: target_lexicon::Environment::Unknown,
                        binary_format: target_lexicon::BinaryFormat::Macho,
                    },
                },
                CommonTriple::Custom(t) => t.clone(),
            }
        }

        pub fn common_arch(&self) -> Option<CommonArch> {
            match self {
                CommonTriple::Common { arch, .. } => Some(*arch),
                CommonTriple::Custom(target) => CommonArch::from_triple(target),
            }
        }
    }
}

#[derive(Serialize, Deserialize, PartialEq, Eq, PartialOrd, Ord)]
pub enum BuildProfile {
    Debug,
    Release,
    UnderhillShip,
    BootDev,
    BootRelease,
    Xtask,
}

flowey_request! {
    pub struct Request {
        pub crate_name: String,
        pub out_name: String,
        pub profile: BuildProfile, // lock to only hvlite build profiles
        pub features: BTreeSet<String>,
        pub crate_type: CargoCrateType,
        pub target: target_lexicon::Triple,
        /// If supported by the target, build without split debuginfo.
        pub no_split_dbg_info: bool,
        pub extra_env: Option<ReadVar<BTreeMap<String, String>>>,
        /// Wait for specified side-effects to resolve before running cargo-run.
        ///
        /// (e.g: to allow for some ambient packages / dependencies to get
        /// installed).
        pub pre_build_deps: Vec<ReadVar<SideEffect>>,
        /// Resulting build output
        pub output: WriteVar<CargoBuildOutput>,
    }
}

new_flow_node!(struct Node);

impl FlowNode for Node {
    type Request = Request;

    fn imports(ctx: &mut ImportCtx<'_>) {
        ctx.import::<crate::install_openvmm_rust_build_essential::Node>();
        ctx.import::<crate::git_checkout_openvmm_repo::Node>();
        ctx.import::<crate::init_openvmm_magicpath_openhcl_sysroot::Node>();
        ctx.import::<crate::run_split_debug_info::Node>();
        ctx.import::<crate::init_cross_build::Node>();
        ctx.import::<flowey_lib_common::run_cargo_build::Node>();
    }

    fn emit(requests: Vec<Self::Request>, ctx: &mut NodeCtx<'_>) -> anyhow::Result<()> {
        let base_pre_build_deps =
            [ctx.reqv(crate::install_openvmm_rust_build_essential::Request)].to_vec();

        let openvmm_repo_path = ctx.reqv(crate::git_checkout_openvmm_repo::req::GetRepoDir);

        for Request {
            crate_name,
            out_name,
            profile,
            features,
            crate_type,
            target,
            no_split_dbg_info,
            extra_env,
            pre_build_deps: user_pre_build_deps,
            output,
        } in requests
        {
            let mut pre_build_deps = base_pre_build_deps.clone();
            pre_build_deps.extend(user_pre_build_deps);

            // FIXME: because we set `CC_{arch}_unknown_linux_musl` in our cargo env,
            // we end up compiling _every_ musl artifact using the openhcl musl
            // toolchain.
            //
            // it's not super clear how to fix this in a clean way without breaking the
            // dev-ex of anyone using rust-analyzer though...
            let sysroot_arch = match target.architecture {
                target_lexicon::Architecture::Aarch64(_) => {
                    crate::init_openvmm_magicpath_openhcl_sysroot::OpenvmmSysrootArch::Aarch64
                }
                target_lexicon::Architecture::X86_64 => {
                    crate::init_openvmm_magicpath_openhcl_sysroot::OpenvmmSysrootArch::X64
                }
                arch => anyhow::bail!("unsupported arch {arch}"),
            };

            if matches!(target.environment, target_lexicon::Environment::Musl) {
                pre_build_deps.push(
                    ctx.reqv(|v| crate::init_openvmm_magicpath_openhcl_sysroot::Request {
                        arch: sysroot_arch,
                        path: v,
                    })
                    .into_side_effect(),
                );
            }

            let injected_env = ctx.reqv(|v| crate::init_cross_build::Request {
                target: target.clone(),
                injected_env: v,
            });

            let extra_env = if let Some(extra_env) = extra_env {
                extra_env
                    .zip(ctx, injected_env)
                    .map(ctx, move |(mut a, b)| {
                        a.extend(b);
                        a
                    })
            } else {
                injected_env
            };

            let base_output = ctx.reqv(|v| flowey_lib_common::run_cargo_build::Request {
                in_folder: openvmm_repo_path.clone(),
                crate_name,
                out_name,
                profile: match profile {
                    BuildProfile::Debug => CargoBuildProfile::Debug,
                    BuildProfile::Release => CargoBuildProfile::Release,
                    BuildProfile::UnderhillShip => {
                        CargoBuildProfile::Custom("underhill-ship".into())
                    }
                    BuildProfile::BootDev => CargoBuildProfile::Custom("boot-dev".into()),
                    BuildProfile::BootRelease => CargoBuildProfile::Custom("boot-release".into()),
                    BuildProfile::Xtask => CargoBuildProfile::Custom("xtask".into()),
                },
                features,
                output_kind: crate_type,
                target: target.clone(),
                extra_env: Some(extra_env),
                pre_build_deps,
                output: v,
            });

            if !no_split_dbg_info
                && matches!(
                    (crate_type, target.operating_system),
                    (
                        CargoCrateType::Bin,
                        target_lexicon::OperatingSystem::Linux
                            | target_lexicon::OperatingSystem::None_
                    )
                )
            {
                let elf_bin = base_output.clone().map(ctx, |o| match o {
                    flowey_lib_common::run_cargo_build::CargoBuildOutput::ElfBin { bin } => bin,
                    _ => unreachable!(),
                });

                let (out_bin, write_out_bin) = ctx.new_var();
                let (out_dbg, write_out_dbg) = ctx.new_var();

                ctx.req(crate::run_split_debug_info::Request {
                    arch: match target.architecture {
                        target_lexicon::Architecture::Aarch64(_) => common::CommonArch::Aarch64,
                        target_lexicon::Architecture::X86_64 => common::CommonArch::X86_64,
                        _ => anyhow::bail!("cannot split linux dbginfo on specified arch"),
                    },
                    in_bin: elf_bin,
                    out_bin: write_out_bin,
                    out_dbg_info: write_out_dbg,
                });

                ctx.emit_minor_rust_step("reporting split debug info", |ctx| {
                    let out_bin = out_bin.claim(ctx);
                    let out_dbg = out_dbg.claim(ctx);
                    let base_output = base_output.claim(ctx);
                    let output = output.claim(ctx);

                    move |rt| {
                        let mut fixed = CargoBuildOutput::from_base_cargo_build_output(
                            rt.read(base_output),
                            Some(rt.read(out_dbg)),
                        );
                        let CargoBuildOutput::ElfBin { bin, .. } = &mut fixed else {
                            unreachable!()
                        };
                        *bin = rt.read(out_bin);
                        rt.write(output, &fixed);
                    }
                });
            } else {
                base_output.write_into(ctx, output, |o| {
                    CargoBuildOutput::from_base_cargo_build_output(o, None)
                });
            }
        }

        Ok(())
    }
}