mirror of
https://github.com/Start9Labs/start-os.git
synced 2026-03-26 18:31:52 +00:00
* start consolidating * add start-cli flash-os * combine install and setup and refactor all * use http * undo mock * fix translation * translations * use dialogservice wrapper * better ST messaging on setup * only warn on update if breakages (#3097) * finish setup wizard and ui language-keyboard feature * fix typo * wip: localization * remove start-tunnel readme * switch to posix strings for language internal * revert mock * translate backend strings * fix missing about text * help text for args * feat: add "Add new gateway" option (#3098) * feat: add "Add new gateway" option * Update web/projects/ui/src/app/routes/portal/components/form/controls/select.component.ts Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com> * add translation --------- Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com> Co-authored-by: Matt Hill <mattnine@protonmail.com> * fix dns selection * keyboard keymap also * ability to shutdown after install * revert mock * working setup flow + manifest localization * (mostly) redundant localization on frontend * version bump * omit live medium from disk list and better space management * ignore missing package archive on 035 migration * fix device migration * add i18n helper to sdk * fix install over 0.3.5.1 * fix grub config --------- Co-authored-by: Matt Hill <mattnine@protonmail.com> Co-authored-by: Matt Hill <MattDHill@users.noreply.github.com> Co-authored-by: Alex Inkin <alexander@inkin.ru> Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com>
345 lines
11 KiB
Rust
345 lines
11 KiB
Rust
use std::collections::BTreeMap;
|
|
use std::path::{Path, PathBuf};
|
|
|
|
use color_eyre::eyre::eyre;
|
|
use imbl_value::InternedString;
|
|
use rust_i18n::t;
|
|
use tokio::process::Command;
|
|
use tracing::instrument;
|
|
|
|
use super::fsck::{RepairStrategy, RequiresReboot};
|
|
use super::util::pvscan;
|
|
use crate::disk::mount::filesystem::block_dev::BlockDev;
|
|
use crate::disk::mount::filesystem::{FileSystem, ReadWrite};
|
|
use crate::disk::mount::util::unmount;
|
|
use crate::util::Invoke;
|
|
use crate::{Error, ErrorKind, ResultExt};
|
|
|
|
pub const PASSWORD_PATH: &'static str = "/run/startos/password";
|
|
pub const DEFAULT_PASSWORD: &'static str = "password";
|
|
pub const MAIN_FS_SIZE: FsSize = FsSize::Gigabytes(8);
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn create<I, P>(
|
|
disks: &I,
|
|
pvscan: &BTreeMap<PathBuf, Option<InternedString>>,
|
|
datadir: impl AsRef<Path>,
|
|
password: Option<&str>,
|
|
) -> Result<InternedString, Error>
|
|
where
|
|
for<'a> &'a I: IntoIterator<Item = &'a P>,
|
|
P: AsRef<Path>,
|
|
{
|
|
let guid = create_pool(disks, pvscan, password.is_some()).await?;
|
|
create_all_fs(&guid, &datadir, password).await?;
|
|
export(&guid, datadir).await?;
|
|
Ok(guid)
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn create_pool<I, P>(
|
|
disks: &I,
|
|
pvscan: &BTreeMap<PathBuf, Option<InternedString>>,
|
|
encrypted: bool,
|
|
) -> Result<InternedString, Error>
|
|
where
|
|
for<'a> &'a I: IntoIterator<Item = &'a P>,
|
|
P: AsRef<Path>,
|
|
{
|
|
Command::new("dmsetup")
|
|
.arg("remove_all") // TODO: find a higher finesse way to do this for portability reasons
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
for disk in disks {
|
|
if pvscan.contains_key(disk.as_ref()) {
|
|
Command::new("pvremove")
|
|
.arg("-yff")
|
|
.arg(disk.as_ref())
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
}
|
|
tokio::fs::write(disk.as_ref(), &[0; 2048]).await?; // wipe partition table
|
|
Command::new("pvcreate")
|
|
.arg("-yff")
|
|
.arg(disk.as_ref())
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
}
|
|
let mut guid = format!(
|
|
"STARTOS_{}",
|
|
base32::encode(
|
|
base32::Alphabet::Rfc4648 { padding: false },
|
|
&rand::random::<[u8; 20]>(),
|
|
)
|
|
);
|
|
if !encrypted {
|
|
guid += "_UNENC";
|
|
}
|
|
let mut cmd = Command::new("vgcreate");
|
|
cmd.arg("-y").arg(&guid);
|
|
for disk in disks {
|
|
cmd.arg(disk.as_ref());
|
|
}
|
|
cmd.invoke(crate::ErrorKind::DiskManagement).await?;
|
|
Ok(guid.into())
|
|
}
|
|
|
|
#[derive(Debug, Clone, Copy)]
|
|
pub enum FsSize {
|
|
Gigabytes(usize),
|
|
FreePercentage(usize),
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn create_fs<P: AsRef<Path>>(
|
|
guid: &str,
|
|
datadir: P,
|
|
name: &str,
|
|
size: FsSize,
|
|
password: Option<&str>,
|
|
) -> Result<(), Error> {
|
|
let mut cmd = Command::new("lvcreate");
|
|
match size {
|
|
FsSize::Gigabytes(a) => cmd.arg("-L").arg(format!("{}G", a)),
|
|
FsSize::FreePercentage(a) => cmd.arg("-l").arg(format!("{}%FREE", a)),
|
|
};
|
|
cmd.arg("-y")
|
|
.arg("-n")
|
|
.arg(name)
|
|
.arg(guid)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
let mut blockdev_path = Path::new("/dev").join(guid).join(name);
|
|
if let Some(password) = password {
|
|
if let Some(parent) = Path::new(PASSWORD_PATH).parent() {
|
|
tokio::fs::create_dir_all(parent).await?;
|
|
}
|
|
tokio::fs::write(PASSWORD_PATH, password)
|
|
.await
|
|
.with_ctx(|_| (crate::ErrorKind::Filesystem, PASSWORD_PATH))?;
|
|
Command::new("cryptsetup")
|
|
.arg("-q")
|
|
.arg("luksFormat")
|
|
.arg(format!("--key-file={}", PASSWORD_PATH))
|
|
.arg(format!("--keyfile-size={}", password.len()))
|
|
.arg(&blockdev_path)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
Command::new("cryptsetup")
|
|
.arg("-q")
|
|
.arg("luksOpen")
|
|
.arg("--allow-discards")
|
|
.arg(format!("--key-file={}", PASSWORD_PATH))
|
|
.arg(format!("--keyfile-size={}", password.len()))
|
|
.arg(&blockdev_path)
|
|
.arg(format!("{}_{}", guid, name))
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
tokio::fs::remove_file(PASSWORD_PATH)
|
|
.await
|
|
.with_ctx(|_| (crate::ErrorKind::Filesystem, PASSWORD_PATH))?;
|
|
blockdev_path = Path::new("/dev/mapper").join(format!("{}_{}", guid, name));
|
|
}
|
|
Command::new("mkfs.btrfs")
|
|
.arg(&blockdev_path)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
BlockDev::new(&blockdev_path)
|
|
.mount(datadir.as_ref().join(name), ReadWrite)
|
|
.await?;
|
|
Ok(())
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn create_all_fs<P: AsRef<Path>>(
|
|
guid: &str,
|
|
datadir: P,
|
|
password: Option<&str>,
|
|
) -> Result<(), Error> {
|
|
create_fs(guid, &datadir, "main", MAIN_FS_SIZE, password).await?;
|
|
create_fs(
|
|
guid,
|
|
&datadir,
|
|
"package-data",
|
|
FsSize::FreePercentage(100),
|
|
password,
|
|
)
|
|
.await?;
|
|
Ok(())
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn unmount_fs<P: AsRef<Path>>(guid: &str, datadir: P, name: &str) -> Result<(), Error> {
|
|
unmount(datadir.as_ref().join(name), false).await?;
|
|
if !guid.ends_with("_UNENC") {
|
|
Command::new("cryptsetup")
|
|
.arg("-q")
|
|
.arg("luksClose")
|
|
.arg(format!("{}_{}", guid, name))
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
}
|
|
|
|
Ok(())
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn unmount_all_fs<P: AsRef<Path>>(guid: &str, datadir: P) -> Result<(), Error> {
|
|
unmount_fs(guid, &datadir, "main").await?;
|
|
unmount_fs(guid, &datadir, "package-data").await?;
|
|
Command::new("dmsetup")
|
|
.arg("remove_all") // TODO: find a higher finesse way to do this for portability reasons
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
Ok(())
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn export<P: AsRef<Path>>(guid: &str, datadir: P) -> Result<(), Error> {
|
|
Command::new("sync").invoke(ErrorKind::Filesystem).await?;
|
|
unmount_all_fs(guid, datadir).await?;
|
|
Command::new("vgchange")
|
|
.arg("-an")
|
|
.arg(guid)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
Command::new("vgexport")
|
|
.arg(guid)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
Ok(())
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn import<P: AsRef<Path>>(
|
|
guid: &str,
|
|
datadir: P,
|
|
repair: RepairStrategy,
|
|
password: Option<&str>,
|
|
) -> Result<RequiresReboot, Error> {
|
|
let scan = pvscan().await?;
|
|
if scan
|
|
.values()
|
|
.filter_map(|a| a.as_ref())
|
|
.filter(|a| a.starts_with("STARTOS_") || a.starts_with("EMBASSY_"))
|
|
.next()
|
|
.is_none()
|
|
{
|
|
return Err(Error::new(
|
|
eyre!("{}", t!("disk.main.disk-not-found")),
|
|
crate::ErrorKind::DiskNotAvailable,
|
|
));
|
|
}
|
|
if !scan
|
|
.values()
|
|
.filter_map(|a| a.as_ref())
|
|
.any(|id| id == guid)
|
|
{
|
|
return Err(Error::new(
|
|
eyre!("{}", t!("disk.main.incorrect-disk")),
|
|
crate::ErrorKind::IncorrectDisk,
|
|
));
|
|
}
|
|
Command::new("dmsetup")
|
|
.arg("remove_all") // TODO: find a higher finesse way to do this for portability reasons
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
match Command::new("vgimport")
|
|
.arg(guid)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await
|
|
{
|
|
Ok(_) => Ok(()),
|
|
Err(e)
|
|
if format!("{}", e.source)
|
|
.lines()
|
|
.any(|l| l.trim() == format!("Volume group \"{}\" is not exported", guid)) =>
|
|
{
|
|
Ok(())
|
|
}
|
|
Err(e) => Err(e),
|
|
}?;
|
|
Command::new("vgchange")
|
|
.arg("-ay")
|
|
.arg(guid)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
mount_all_fs(guid, datadir, repair, password).await
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn mount_fs<P: AsRef<Path>>(
|
|
guid: &str,
|
|
datadir: P,
|
|
name: &str,
|
|
repair: RepairStrategy,
|
|
password: Option<&str>,
|
|
) -> Result<RequiresReboot, Error> {
|
|
let orig_path = Path::new("/dev").join(guid).join(name);
|
|
let mut blockdev_path = orig_path.clone();
|
|
let full_name = format!("{}_{}", guid, name);
|
|
if !guid.ends_with("_UNENC") {
|
|
let password = password.unwrap_or(DEFAULT_PASSWORD);
|
|
if let Some(parent) = Path::new(PASSWORD_PATH).parent() {
|
|
tokio::fs::create_dir_all(parent).await?;
|
|
}
|
|
tokio::fs::write(PASSWORD_PATH, password)
|
|
.await
|
|
.with_ctx(|_| (crate::ErrorKind::Filesystem, PASSWORD_PATH))?;
|
|
Command::new("cryptsetup")
|
|
.arg("-q")
|
|
.arg("luksOpen")
|
|
.arg("--allow-discards")
|
|
.arg(format!("--key-file={}", PASSWORD_PATH))
|
|
.arg(format!("--keyfile-size={}", password.len()))
|
|
.arg(&blockdev_path)
|
|
.arg(&full_name)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
tokio::fs::remove_file(PASSWORD_PATH)
|
|
.await
|
|
.with_ctx(|_| (crate::ErrorKind::Filesystem, PASSWORD_PATH))?;
|
|
blockdev_path = Path::new("/dev/mapper").join(&full_name);
|
|
}
|
|
let reboot = repair.fsck(&blockdev_path).await?;
|
|
|
|
if !guid.ends_with("_UNENC") {
|
|
// Backup LUKS header if e2fsck succeeded
|
|
let luks_folder = Path::new("/media/startos/config/luks");
|
|
tokio::fs::create_dir_all(luks_folder).await?;
|
|
let tmp_luks_bak = luks_folder.join(format!(".{full_name}.luks.bak.tmp"));
|
|
if tokio::fs::metadata(&tmp_luks_bak).await.is_ok() {
|
|
tokio::fs::remove_file(&tmp_luks_bak).await?;
|
|
}
|
|
let luks_bak = luks_folder.join(format!("{full_name}.luks.bak"));
|
|
Command::new("cryptsetup")
|
|
.arg("-q")
|
|
.arg("luksHeaderBackup")
|
|
.arg("--header-backup-file")
|
|
.arg(&tmp_luks_bak)
|
|
.arg(&orig_path)
|
|
.invoke(crate::ErrorKind::DiskManagement)
|
|
.await?;
|
|
tokio::fs::rename(&tmp_luks_bak, &luks_bak).await?;
|
|
}
|
|
|
|
BlockDev::new(&blockdev_path)
|
|
.mount(datadir.as_ref().join(name), ReadWrite)
|
|
.await?;
|
|
|
|
Ok(reboot)
|
|
}
|
|
|
|
#[instrument(skip_all)]
|
|
pub async fn mount_all_fs<P: AsRef<Path>>(
|
|
guid: &str,
|
|
datadir: P,
|
|
repair: RepairStrategy,
|
|
password: Option<&str>,
|
|
) -> Result<RequiresReboot, Error> {
|
|
let mut reboot = RequiresReboot(false);
|
|
reboot |= mount_fs(guid, &datadir, "main", repair, password).await?;
|
|
reboot |= mount_fs(guid, &datadir, "package-data", repair, password).await?;
|
|
Ok(reboot)
|
|
}
|