Send patches - preferably formatted by git format-patch - to patches at archlinux32 dot org.
summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
authorDaemon Coder <11915375+codefiles@users.noreply.github.com>2023-05-04 04:42:37 -0400
committerGitHub <noreply@github.com>2023-05-04 10:42:37 +0200
commitfd83f073f3e84feb1388ef739c1096f7d4a741de (patch)
tree7662dea329d998e3912b6bd2d9c2e076b5f4a856
parentadceed22ad3d8b6aa1e6d1aee56ae0c9a0a751aa (diff)
Update `SysCommand()` calls in remaining files (#1707)
-rw-r--r--archinstall/lib/disk/device_handler.py50
-rw-r--r--archinstall/lib/locale_helpers.py8
-rw-r--r--archinstall/lib/luks.py48
-rw-r--r--archinstall/lib/mirrors.py6
-rw-r--r--archinstall/lib/networking.py23
5 files changed, 66 insertions, 69 deletions
diff --git a/archinstall/lib/disk/device_handler.py b/archinstall/lib/disk/device_handler.py
index 8f92cf3b..d4ad9075 100644
--- a/archinstall/lib/disk/device_handler.py
+++ b/archinstall/lib/disk/device_handler.py
@@ -139,19 +139,18 @@ class DeviceHandler(object):
log(f'Failed to read btrfs subvolume information: {err}', level=logging.DEBUG)
return subvol_infos
- if result.exit_code == 0:
- try:
- if decoded := result.decode('utf-8'):
- # ID 256 gen 16 top level 5 path @
- for line in decoded.splitlines():
- # expected output format:
- # ID 257 gen 8 top level 5 path @home
- name = Path(line.split(' ')[-1])
- sub_vol_mountpoint = lsblk_info.btrfs_subvol_info.get(name, None)
- subvol_infos.append(_BtrfsSubvolumeInfo(name, sub_vol_mountpoint))
- except json.decoder.JSONDecodeError as err:
- log(f"Could not decode lsblk JSON: {result}", fg="red", level=logging.ERROR)
- raise err
+ try:
+ if decoded := result.decode('utf-8'):
+ # ID 256 gen 16 top level 5 path @
+ for line in decoded.splitlines():
+ # expected output format:
+ # ID 257 gen 8 top level 5 path @home
+ name = Path(line.split(' ')[-1])
+ sub_vol_mountpoint = lsblk_info.btrfs_subvol_info.get(name, None)
+ subvol_infos.append(_BtrfsSubvolumeInfo(name, sub_vol_mountpoint))
+ except json.decoder.JSONDecodeError as err:
+ log(f"Could not decode lsblk JSON: {result}", fg="red", level=logging.ERROR)
+ raise err
if not lsblk_info.mountpoint:
self.umount(dev_path)
@@ -206,9 +205,7 @@ class DeviceHandler(object):
log(f'Formatting filesystem: /usr/bin/{command} {options_str} {path}')
try:
- if (handle := SysCommand(f"/usr/bin/{command} {options_str} {path}")).exit_code != 0:
- mkfs_error = handle.decode()
- raise DiskError(f'Could not format {path} with {fs_type.value}: {mkfs_error}')
+ SysCommand(f"/usr/bin/{command} {options_str} {path}")
except SysCallError as error:
msg = f'Could not format {path} with {fs_type.value}: {error.message}'
log(msg, fg='red')
@@ -408,12 +405,16 @@ class DeviceHandler(object):
SysCommand(f"btrfs subvolume create {subvol_path}")
if sub_vol.nodatacow:
- if (result := SysCommand(f'chattr +C {subvol_path}')).exit_code != 0:
- raise DiskError(f'Could not set nodatacow attribute at {subvol_path}: {result.decode()}')
+ try:
+ SysCommand(f'chattr +C {subvol_path}')
+ except SysCallError as error:
+ raise DiskError(f'Could not set nodatacow attribute at {subvol_path}: {error}')
if sub_vol.compress:
- if (result := SysCommand(f'chattr +c {subvol_path}')).exit_code != 0:
- raise DiskError(f'Could not set compress attribute at {subvol_path}: {result}')
+ try:
+ SysCommand(f'chattr +c {subvol_path}')
+ except SysCallError as error:
+ raise DiskError(f'Could not set compress attribute at {subvol_path}: {error}')
if luks_handler is not None and luks_handler.mapper_dev is not None:
self.umount(luks_handler.mapper_dev)
@@ -518,9 +519,7 @@ class DeviceHandler(object):
log(f'Mounting {dev_path}: command', level=logging.DEBUG)
try:
- result = SysCommand(command)
- if result.exit_code != 0:
- raise DiskError(f'Could not mount {dev_path}: {command}\n{result.decode()}')
+ SysCommand(command)
except SysCallError as err:
raise DiskError(f'Could not mount {dev_path}: {command}\n{err.message}')
@@ -575,10 +574,7 @@ class DeviceHandler(object):
try:
log(f'Calling partprobe: {command}', level=logging.DEBUG)
- result = SysCommand(command)
-
- if result.exit_code != 0:
- log(f'"{command}" returned a failure: {result.decode()}', level=logging.DEBUG)
+ SysCommand(command)
except SysCallError as error:
log(f'"{command}" failed to run: {error}', level=logging.DEBUG)
diff --git a/archinstall/lib/locale_helpers.py b/archinstall/lib/locale_helpers.py
index d1fb4562..efb0365f 100644
--- a/archinstall/lib/locale_helpers.py
+++ b/archinstall/lib/locale_helpers.py
@@ -1,7 +1,7 @@
import logging
from typing import Iterator, List, Callable, Optional
-from .exceptions import ServiceException
+from .exceptions import ServiceException, SysCallError
from .general import SysCommand
from .output import log
from .storage import storage
@@ -161,8 +161,10 @@ def set_keyboard_language(locale :str) -> bool:
log(f"Invalid keyboard locale specified: {locale}", fg="red", level=logging.ERROR)
return False
- if (output := SysCommand(f'localectl set-keymap {locale}')).exit_code != 0:
- raise ServiceException(f"Unable to set locale '{locale}' for console: {output}")
+ try:
+ SysCommand(f'localectl set-keymap {locale}')
+ except SysCallError as error:
+ raise ServiceException(f"Unable to set locale '{locale}' for console: {error}")
return True
diff --git a/archinstall/lib/luks.py b/archinstall/lib/luks.py
index fc531a06..53a5e8d2 100644
--- a/archinstall/lib/luks.py
+++ b/archinstall/lib/luks.py
@@ -88,30 +88,28 @@ class Luks2:
'luksFormat', str(self.luks_dev_path),
])
- try:
- # Retry formatting the volume because archinstall can some times be too quick
- # which generates a "Device /dev/sdX does not exist or access denied." between
- # setting up partitions and us trying to encrypt it.
- cmd_handle = None
- for i in range(storage['DISK_RETRY_ATTEMPTS']):
- if (cmd_handle := SysCommand(cryptsetup_args)).exit_code != 0:
- time.sleep(storage['DISK_TIMEOUTS'])
- else:
- break
+ # Retry formatting the volume because archinstall can some times be too quick
+ # which generates a "Device /dev/sdX does not exist or access denied." between
+ # setting up partitions and us trying to encrypt it.
+ for retry_attempt in range(storage['DISK_RETRY_ATTEMPTS']):
+ try:
+ SysCommand(cryptsetup_args)
+ break
+ except SysCallError as error:
+ time.sleep(storage['DISK_TIMEOUTS'])
- if cmd_handle is not None and cmd_handle.exit_code != 0:
- output = str(b''.join(cmd_handle))
- raise DiskError(f'Could not encrypt volume "{self.luks_dev_path}": {output}')
- except SysCallError as err:
- if err.exit_code == 1:
- log(f'luks2 partition currently in use: {self.luks_dev_path}')
- log('Attempting to unmount, crypt-close and trying encryption again')
+ if retry_attempt != storage['DISK_RETRY_ATTEMPTS'] - 1:
+ continue
- self.lock()
- # Then try again to set up the crypt-device
- SysCommand(cryptsetup_args)
- else:
- raise err
+ if error.exit_code == 1:
+ log(f'luks2 partition currently in use: {self.luks_dev_path}')
+ log('Attempting to unmount, crypt-close and trying encryption again')
+
+ self.lock()
+ # Then try again to set up the crypt-device
+ SysCommand(cryptsetup_args)
+ else:
+ raise DiskError(f'Could not encrypt volume "{self.luks_dev_path}": {error}')
return key_file
@@ -119,11 +117,7 @@ class Luks2:
command = f'/usr/bin/cryptsetup luksUUID {self.luks_dev_path}'
try:
- result = SysCommand(command)
- if result.exit_code != 0:
- raise DiskError(f'Unable to get UUID for Luks device: {result.decode()}')
-
- return result.decode() # type: ignore
+ return SysCommand(command).decode().strip() # type: ignore
except SysCallError as err:
log(f'Unable to get UUID for Luks device: {self.luks_dev_path}', level=logging.INFO)
raise err
diff --git a/archinstall/lib/mirrors.py b/archinstall/lib/mirrors.py
index 15d0fd6b..c6c5c8e4 100644
--- a/archinstall/lib/mirrors.py
+++ b/archinstall/lib/mirrors.py
@@ -7,6 +7,7 @@ from dataclasses import dataclass
from .general import SysCommand
from .output import log
+from .exceptions import SysCallError
from .storage import storage
@@ -148,8 +149,9 @@ def re_rank_mirrors(
src: str = '/etc/pacman.d/mirrorlist',
dst: str = '/etc/pacman.d/mirrorlist',
) -> bool:
- cmd = SysCommand(f"/usr/bin/rankmirrors -n {top} {src}")
- if cmd.exit_code != 0:
+ try:
+ cmd = SysCommand(f"/usr/bin/rankmirrors -n {top} {src}")
+ except SysCallError:
return False
with open(dst, 'w') as f:
f.write(str(cmd))
diff --git a/archinstall/lib/networking.py b/archinstall/lib/networking.py
index 3516aac4..b858daaf 100644
--- a/archinstall/lib/networking.py
+++ b/archinstall/lib/networking.py
@@ -38,11 +38,11 @@ def list_interfaces(skip_loopback :bool = True) -> Dict[str, str]:
def check_mirror_reachable() -> bool:
log("Testing connectivity to the Arch Linux mirrors ...", level=logging.INFO)
try:
- if run_pacman("-Sy").exit_code == 0:
- return True
- elif os.geteuid() != 0:
- log("check_mirror_reachable() uses 'pacman -Sy' which requires root.", level=logging.ERROR, fg="red")
+ run_pacman("-Sy")
+ return True
except SysCallError as err:
+ if os.geteuid() != 0:
+ log("check_mirror_reachable() uses 'pacman -Sy' which requires root.", level=logging.ERROR, fg="red")
log(f'exit_code: {err.exit_code}, Error: {err.message}', level=logging.DEBUG)
return False
@@ -50,11 +50,12 @@ def check_mirror_reachable() -> bool:
def update_keyring() -> bool:
log("Updating archlinux-keyring ...", level=logging.INFO)
- if run_pacman("-Sy --noconfirm archlinux-keyring").exit_code == 0:
+ try:
+ run_pacman("-Sy --noconfirm archlinux-keyring")
return True
-
- elif os.geteuid() != 0:
- log("update_keyring() uses 'pacman -Sy archlinux-keyring' which requires root.", level=logging.ERROR, fg="red")
+ except SysCallError:
+ if os.geteuid() != 0:
+ log("update_keyring() uses 'pacman -Sy archlinux-keyring' which requires root.", level=logging.ERROR, fg="red")
return False
@@ -84,8 +85,10 @@ def wireless_scan(interface :str) -> None:
if interfaces[interface] != 'WIRELESS':
raise HardwareIncompatibilityError(f"Interface {interface} is not a wireless interface: {interfaces}")
- if not (output := SysCommand(f"iwctl station {interface} scan")).exit_code == 0:
- raise SystemError(f"Could not scan for wireless networks: {output}")
+ try:
+ SysCommand(f"iwctl station {interface} scan")
+ except SysCallError as error:
+ raise SystemError(f"Could not scan for wireless networks: {error}")
if '_WIFI' not in storage:
storage['_WIFI'] = {}