ableos/repbuild/src/main.rs

471 lines
14 KiB
Rust
Raw Permalink Normal View History

2024-05-31 14:11:45 +00:00
mod dev;
2023-05-06 11:50:24 +00:00
use {
2023-07-17 14:36:39 +00:00
derive_more::Display,
2024-05-31 14:11:45 +00:00
dev::Package,
2023-11-11 14:45:45 +00:00
error_stack::{bail, report, Context, Report, Result, ResultExt},
2023-05-06 11:50:24 +00:00
fatfs::{FileSystem, FormatVolumeOptions, FsOptions, ReadWriteSeek},
2024-02-15 20:21:00 +00:00
std::{
fmt::Display,
fs::{self, File},
io::{self, Write},
path::Path,
process::{exit, Command},
},
toml::Value,
2023-05-06 11:50:24 +00:00
};
2023-03-30 21:43:04 +00:00
fn main() -> Result<(), Error> {
let mut args = std::env::args();
args.next();
2023-06-14 02:03:09 +00:00
2023-03-30 21:43:04 +00:00
match args.next().as_deref() {
Some("build" | "b") => {
let mut release = false;
let mut target = Target::X86_64;
for arg in args {
if arg == "-r" || arg == "--release" {
release = true;
2023-07-17 14:36:39 +00:00
} else if arg == "rv64" || arg == "riscv64" || arg == "riscv64-virt" {
2023-03-30 21:43:04 +00:00
target = Target::Riscv64Virt;
2023-07-19 15:55:58 +00:00
} else if arg == "arm64" || arg == "aarch64" || arg == "aarch64-virt" {
2023-07-14 03:41:09 +00:00
target = Target::Aarch64;
2023-07-17 14:36:39 +00:00
} else {
return Err(report!(Error::InvalidSubCom));
2023-07-14 03:41:09 +00:00
}
2023-03-30 21:43:04 +00:00
}
2022-08-03 07:11:51 +00:00
2023-03-30 21:43:04 +00:00
build(release, target).change_context(Error::Build)
}
Some("run" | "r") => {
let mut release = false;
let mut target = Target::X86_64;
for arg in args {
if arg == "-r" || arg == "--release" {
release = true;
2023-07-17 14:36:39 +00:00
} else if arg == "rv64" || arg == "riscv64" || arg == "riscv64-virt" {
2023-03-30 21:43:04 +00:00
target = Target::Riscv64Virt;
2023-07-19 15:55:58 +00:00
} else if arg == "arm64" || arg == "aarch64" || arg == "aarch64-virt" {
2023-07-14 03:41:09 +00:00
target = Target::Aarch64;
2023-07-17 14:36:39 +00:00
} else {
return Err(report!(Error::InvalidSubCom));
2023-07-14 03:41:09 +00:00
}
2023-03-30 21:43:04 +00:00
}
2022-08-03 07:11:51 +00:00
2023-03-30 21:43:04 +00:00
build(release, target)?;
run(release, target)
}
Some("help" | "h") => {
println!(concat!(
"AbleOS RepBuild\n",
"Subcommands:\n",
" build (b): Build a bootable disk image\n",
" help (h): Print this message\n",
" run (r): Build and run AbleOS in QEMU\n\n",
"Options for build and run:\n",
" -r: build in release mode",
" [target]: sets target"
),);
Ok(())
}
_ => Err(report!(Error::InvalidSubCom)),
}
2022-08-03 07:11:51 +00:00
}
fn get_path_without_boot_prefix(val: &Value) -> Option<&str> {
val.as_str()?.split("boot:///").last()
}
2023-03-30 21:43:04 +00:00
fn get_fs() -> Result<FileSystem<impl ReadWriteSeek>, io::Error> {
2024-01-18 08:36:24 +00:00
let filename = "sysdata/system_config.toml";
let mut img = File::options()
.read(true)
.write(true)
.create(true)
.open(Path::new("target/disk.img"))?;
img.set_len(1024 * 1024 * 64)?;
fatfs::format_volume(&mut img, FormatVolumeOptions::new())?;
let fs = FileSystem::new(img, FsOptions::new())?;
2024-01-18 08:36:24 +00:00
// Read the contents of the file using a `match` block
// to return the `data: Ok(c)` as a `String`
// or handle any `errors: Err(_)`.
let contents = match fs::read_to_string(filename) {
// If successful return the files text as `contents`.
// `c` is a local variable.
Ok(c) => c,
// Handle the `error` case.
Err(_) => {
// Write `msg` to `stderr`.
eprintln!("Could not read file `{}`", filename);
// Exit the program with exit code `1`.
exit(1);
}
};
use toml::Value;
let mut limine_str = String::new();
let mut data: Value = toml::from_str(&contents).unwrap();
let boot_table = data.get_mut("boot");
let limine_table = boot_table.unwrap().get_mut("limine").unwrap();
let default_entry = limine_table.get("default_entry").unwrap();
let timeout = limine_table.get("timeout").unwrap();
let interface_resolution = limine_table.get("interface_resolution").unwrap();
let verbose = limine_table.get("verbose").unwrap();
let term_wallpaper = limine_table.get("term_wallpaper").unwrap();
let vb_post = match verbose.as_bool().unwrap() {
true => "yes",
false => "no",
};
let term_background = limine_table
.get("term_backdrop")
.unwrap_or(&Value::Integer(0));
let base = format!(
"DEFAULT_ENTRY={}
TIMEOUT={}
VERBOSE={}
INTERFACE_RESOLUTION={}
# Terminal related settings
TERM_WALLPAPER={}
TERM_BACKDROP={}
",
default_entry,
timeout,
vb_post,
interface_resolution,
term_wallpaper.as_str().unwrap(),
term_background
);
// Copy the term_wallpaper to the image
let term_wallpaper_path = get_path_without_boot_prefix(term_wallpaper).unwrap();
copy_file_to_img(&format!("sysdata/{}", term_wallpaper_path), &fs);
2024-01-18 08:36:24 +00:00
limine_str.push_str(&base);
let boot_entries = limine_table.as_table_mut().unwrap();
let mut real_boot_entries = boot_entries.clone();
for (key, value) in boot_entries.into_iter() {
if !value.is_table() {
real_boot_entries.remove(key);
}
}
for (name, mut value) in real_boot_entries {
let comment = value.get("comment").unwrap();
let protocol = value.get("protocol").unwrap();
let resolution = value.get("resolution").unwrap();
let kernel_path = value.get("kernel_path").unwrap();
let kernel_cmdline = value.get("kernel_cmdline").unwrap();
let text_entry = format!(
"
:{}
COMMENT={}
PROTOCOL={}
RESOLUTION={}
KERNEL_PATH={}
KERNEL_CMDLINE={}
",
name,
comment.as_str().unwrap(),
protocol.as_str().unwrap(),
resolution.as_str().unwrap(),
kernel_path.as_str().unwrap(),
kernel_cmdline,
);
limine_str.push_str(&text_entry);
let modules = value.get_mut("modules").unwrap().as_table_mut().unwrap();
// let mut real_modules = modules.clone();
2024-05-31 15:31:04 +00:00
modules.into_iter().for_each(|(key, value)| {
2024-05-31 18:31:06 +00:00
if value.is_table() {
let path = get_path_without_boot_prefix(
value.get("path").expect("You must have `path` as a value"),
)
.unwrap()
.split(".")
.next()
.unwrap();
2024-05-31 15:31:04 +00:00
let p = Package::load_from_file(
format!("sysdata/programs/{}/meta.toml", path).to_owned(),
);
p.build();
}
});
modules.into_iter().for_each(|(_key, value)| {
2024-01-18 08:36:24 +00:00
if value.is_table() {
2024-05-05 10:52:49 +00:00
let path = value.get("path").expect("You must have `path` as a value");
let default_value = Value::String("".into());
let cmd_line = value.get("cmd_line").unwrap_or(&default_value);
2024-01-18 08:36:24 +00:00
let a = format!(
" MODULE_PATH={}
MODULE_CMDLINE={}\n\n",
path.as_str().unwrap(),
cmd_line
);
limine_str.push_str(&a);
}
2024-05-31 15:31:04 +00:00
});
2023-03-30 21:43:04 +00:00
// Copy modules into the test_programs directory
2024-05-31 15:31:04 +00:00
modules.into_iter().for_each(|(_key, value)| {
if value.is_table() {
let path = get_path_without_boot_prefix(
value
.get("path")
.expect("You must have a `path` as a value"),
)
.unwrap();
2024-05-31 18:31:06 +00:00
let fpath = format!("target/programs/{}", path);
copy_file_to_img(&fpath, &fs);
}
});
}
2024-01-18 08:36:24 +00:00
2023-03-30 21:43:04 +00:00
let bootdir = fs.root_dir().create_dir("efi")?.create_dir("boot")?;
2024-01-18 08:36:24 +00:00
let mut f = fs.root_dir().create_file("limine.cfg")?;
let a = f.write(limine_str.as_bytes())?;
drop(f);
2023-03-30 21:43:04 +00:00
io::copy(
&mut File::open("limine/BOOTX64.EFI")
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-11-11 14:45:45 +00:00
.attach_printable("Copying Limine (x86_64): have you pulled the submodule?")?,
2023-03-30 21:43:04 +00:00
&mut bootdir.create_file("bootx64.efi")?,
)?;
io::copy(
&mut File::open("limine/BOOTAA64.EFI")
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
.attach_printable("Copying Limine (ARM): have you pulled the submodule?")?,
&mut bootdir.create_file("bootaa64.efi")?,
)?;
2023-03-30 21:43:04 +00:00
drop(bootdir);
Ok(fs)
2022-08-03 07:11:51 +00:00
}
fn copy_file_to_img(fpath: &str, fs: &FileSystem<File>) {
let path = Path::new(fpath);
2024-05-31 18:31:06 +00:00
// println!("{path:?}");
io::copy(
&mut File::open(path).expect(&format!("Could not open file {fpath}")),
&mut fs
.root_dir()
.create_file(&path.file_name().unwrap().to_string_lossy())
.expect("Unable to create file"),
)
.expect("Copy failed");
}
2023-03-30 21:43:04 +00:00
fn build(release: bool, target: Target) -> Result<(), Error> {
let fs = get_fs().change_context(Error::Io)?;
let mut com = Command::new("cargo");
com.current_dir("kernel");
com.args(["b"]);
if release {
com.arg("-r");
}
2023-07-13 01:21:33 +00:00
if target == Target::Riscv64Virt {
com.args(["--target", "targets/riscv64-virt-ableos.json"]);
2022-08-07 12:35:55 +00:00
}
2023-07-14 03:41:09 +00:00
if target == Target::Aarch64 {
com.args(["--target", "targets/aarch64-virt-ableos.json"]);
}
2022-08-03 07:11:51 +00:00
2023-03-30 21:43:04 +00:00
match com.status() {
Ok(s) if s.code() != Some(0) => bail!(Error::Build),
Err(e) => bail!(report!(e).change_context(Error::Build)),
_ => (),
}
2022-08-03 07:11:51 +00:00
2023-09-20 17:26:36 +00:00
let mut path: String = "kernel".to_string();
2023-07-19 15:55:58 +00:00
let kernel_dir = match target {
2023-09-20 17:26:36 +00:00
Target::X86_64 => {
path.push_str("_x86-64");
"target/x86_64-ableos"
}
2023-07-19 15:55:58 +00:00
Target::Riscv64Virt => "target/riscv64-virt-ableos",
2023-09-20 17:26:36 +00:00
Target::Aarch64 => {
path.push_str("_aarch64");
"target/aarch64-virt-ableos"
}
2023-07-19 15:55:58 +00:00
};
2022-08-07 12:35:55 +00:00
2023-03-30 21:43:04 +00:00
(|| -> std::io::Result<_> {
io::copy(
&mut File::open(
2023-07-19 15:55:58 +00:00
Path::new(kernel_dir)
2023-03-30 21:43:04 +00:00
.join(if release { "release" } else { "debug" })
.join("kernel"),
)?,
2023-09-20 17:26:36 +00:00
&mut fs.root_dir().create_file(&path)?,
2023-03-30 21:43:04 +00:00
)
.map(|_| ())
})()
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-03-30 21:43:04 +00:00
.change_context(Error::Io)
}
2022-08-07 12:35:55 +00:00
2023-03-30 21:43:04 +00:00
fn run(release: bool, target: Target) -> Result<(), Error> {
let mut com = match target {
Target::X86_64 => Command::new("qemu-system-x86_64"),
Target::Riscv64Virt => Command::new("qemu-system-riscv64"),
2023-07-14 03:41:09 +00:00
Target::Aarch64 => Command::new("qemu-system-aarch64"),
2023-03-30 21:43:04 +00:00
};
2023-07-19 15:55:58 +00:00
let ovmf_path = fetch_ovmf(target);
match target {
Target::X86_64 => {
#[rustfmt::skip]
com.args([
"-bios", &ovmf_path.change_context(Error::OvmfFetch)?,
"-drive", "file=target/disk.img,format=raw",
"-m", "4G",
"-smp", "cores=4",
// "-enable-kvm",
2023-10-23 14:12:43 +00:00
"-cpu", "Broadwell-v4"
2023-07-19 15:55:58 +00:00
]);
}
Target::Riscv64Virt => {
#[rustfmt::skip]
com.args([
"-M", "virt",
"-m", "128M",
"-serial", "stdio",
"-kernel",
if release {
"target/riscv64-virt-ableos/release/kernel"
} else {
"target/riscv64-virt-ableos/debug/kernel"
}
]);
}
Target::Aarch64 => {
#[rustfmt::skip]
com.args([
"-M", "virt",
"-cpu", "cortex-a72",
"-device", "ramfb",
"-device", "qemu-xhci",
"-device", "usb-kbd",
"-m", "2G",
"-bios", &ovmf_path.change_context(Error::OvmfFetch)?,
"-drive", "file=target/disk.img,format=raw",
]);
2022-08-07 12:35:55 +00:00
}
2023-07-14 03:41:09 +00:00
}
2023-03-30 21:43:04 +00:00
match com
.status()
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-03-30 21:43:04 +00:00
.change_context(Error::ProcessSpawn)?
{
s if s.success() => Ok(()),
s => Err(report!(Error::Qemu(s.code()))),
2022-08-07 12:35:55 +00:00
}
2022-08-03 07:11:51 +00:00
}
2023-07-19 15:55:58 +00:00
fn fetch_ovmf(target: Target) -> Result<String, OvmfFetchError> {
let (ovmf_url, ovmf_path) = match target {
Target::X86_64 => (
"https://retrage.github.io/edk2-nightly/bin/RELEASEX64_OVMF.fd",
"target/RELEASEX64_OVMF.fd",
),
Target::Riscv64Virt => return Err(OvmfFetchError::Empty.into()),
Target::Aarch64 => (
"https://retrage.github.io/edk2-nightly/bin/RELEASEAARCH64_QEMU_EFI.fd",
"target/RELEASEAARCH64_QEMU_EFI.fd",
),
};
2023-07-13 01:21:33 +00:00
2023-07-19 15:55:58 +00:00
let mut file = match std::fs::metadata(ovmf_path) {
2023-07-13 01:21:33 +00:00
Err(e) if e.kind() == std::io::ErrorKind::NotFound => std::fs::OpenOptions::new()
.create(true)
.write(true)
.read(true)
2023-07-19 15:55:58 +00:00
.open(ovmf_path)
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-07-13 01:21:33 +00:00
.change_context(OvmfFetchError::Io)?,
2023-07-19 15:55:58 +00:00
Ok(_) => return Ok(ovmf_path.to_owned()),
2023-07-13 01:21:33 +00:00
Err(e) => return Err(report!(e).change_context(OvmfFetchError::Io)),
};
2023-07-19 15:55:58 +00:00
let mut bytes = reqwest::blocking::get(ovmf_url)
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-07-17 14:36:39 +00:00
.change_context(OvmfFetchError::Fetch)?;
2023-07-13 01:21:33 +00:00
2023-07-19 15:55:58 +00:00
bytes
.copy_to(&mut file)
2023-08-29 23:12:40 +00:00
.map_err(Report::from)
2023-07-17 14:36:39 +00:00
.change_context(OvmfFetchError::Io)?;
2023-07-13 01:21:33 +00:00
2023-07-19 15:55:58 +00:00
Ok(ovmf_path.to_owned())
2023-07-13 01:21:33 +00:00
}
#[derive(Debug, Display)]
enum OvmfFetchError {
#[display(fmt = "Failed to fetch OVMF package")]
Fetch,
2023-07-19 15:55:58 +00:00
#[display(fmt = "No OVMF package available")]
Empty,
2023-07-13 01:21:33 +00:00
#[display(fmt = "IO Error")]
Io,
}
impl Context for OvmfFetchError {}
2023-03-30 21:43:04 +00:00
#[derive(Clone, Copy, PartialEq, Eq)]
enum Target {
X86_64,
Riscv64Virt,
2023-07-14 03:41:09 +00:00
Aarch64,
2023-03-30 21:43:04 +00:00
}
2022-08-03 07:11:51 +00:00
2023-07-13 01:21:33 +00:00
#[derive(Debug, Display)]
2023-03-30 21:43:04 +00:00
enum Error {
2023-07-13 01:21:33 +00:00
#[display(fmt = "Failed to build the kernel")]
2023-03-30 21:43:04 +00:00
Build,
2023-07-13 01:21:33 +00:00
#[display(fmt = "Missing or invalid subcommand (available: build, run)")]
2023-03-30 21:43:04 +00:00
InvalidSubCom,
2023-07-13 01:21:33 +00:00
#[display(fmt = "IO Error")]
2023-03-30 21:43:04 +00:00
Io,
2023-07-13 01:21:33 +00:00
#[display(fmt = "Failed to spawn a process")]
2023-03-30 21:43:04 +00:00
ProcessSpawn,
2023-07-13 01:21:33 +00:00
#[display(fmt = "Failed to fetch UEFI firmware")]
OvmfFetch,
2023-10-28 01:26:04 +00:00
#[display(fmt = "Failed to assemble Holey Bytes code")]
Assembler,
2023-07-13 01:21:33 +00:00
#[display(fmt = "QEMU Error: {}", "fmt_qemu_err(*_0)")]
2023-03-30 21:43:04 +00:00
Qemu(Option<i32>),
2022-08-03 07:11:51 +00:00
}
2023-03-30 21:43:04 +00:00
impl Context for Error {}
2023-07-13 01:21:33 +00:00
fn fmt_qemu_err(e: Option<i32>) -> impl Display {
struct W(Option<i32>);
impl Display for W {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
if let Some(c) = self.0 {
c.fmt(f)
} else {
f.write_str("Interrupted by signal")
2023-03-30 21:43:04 +00:00
}
2022-08-07 12:35:55 +00:00
}
}
2023-07-13 01:21:33 +00:00
W(e)
2022-08-03 07:11:51 +00:00
}