Compare commits
3 Commits
845e6e3b83
...
b34550543c
Author | SHA1 | Date |
---|---|---|
Joshua Boniface | b34550543c | |
Joshua Boniface | 362c52e3e5 | |
Joshua Boniface | 68a1aed132 |
|
@ -189,10 +189,12 @@ mkdir -p config/includes.chroot/etc/initramfs-tools
|
||||||
cp ../../templates/modules config/includes.chroot/etc/initramfs-tools/modules || fail "Failed to copy critical template file"
|
cp ../../templates/modules config/includes.chroot/etc/initramfs-tools/modules || fail "Failed to copy critical template file"
|
||||||
echo "done."
|
echo "done."
|
||||||
|
|
||||||
# Install install.sh script
|
# Install install.sh and detect.py scripts
|
||||||
echo -n "Copying PVC node installer script template... "
|
echo -n "Copying PVC node installer script template... "
|
||||||
cp ../../templates/install.sh config/includes.chroot/install.sh || fail "Failed to copy critical template file"
|
cp ../../templates/install.sh config/includes.chroot/install.sh || fail "Failed to copy critical template file"
|
||||||
chmod +x config/includes.chroot/install.sh
|
chmod +x config/includes.chroot/install.sh
|
||||||
|
cp ../../templates/detect.py config/includes.chroot/detect.py || fail "Failed to copy critical template file"
|
||||||
|
chmod +x config/includes.chroot/detect.py
|
||||||
echo "done."
|
echo "done."
|
||||||
|
|
||||||
# Customize install.sh script
|
# Customize install.sh script
|
||||||
|
|
|
@ -0,0 +1,234 @@
|
||||||
|
#!/usr/bin/env python3
|
||||||
|
|
||||||
|
import subprocess
|
||||||
|
import sys
|
||||||
|
from json import loads as loads
|
||||||
|
from re import match as re_match
|
||||||
|
from re import search as re_search
|
||||||
|
from re import sub as re_sub
|
||||||
|
from shlex import split as shlex_split
|
||||||
|
|
||||||
|
#
|
||||||
|
# Run a local OS command via shell
|
||||||
|
#
|
||||||
|
def run_os_command(command_string, background=False, environment=None, timeout=None):
|
||||||
|
if not isinstance(command_string, list):
|
||||||
|
command = shlex_split(command_string)
|
||||||
|
else:
|
||||||
|
command = command_string
|
||||||
|
|
||||||
|
if background:
|
||||||
|
|
||||||
|
def runcmd():
|
||||||
|
try:
|
||||||
|
subprocess.run(
|
||||||
|
command,
|
||||||
|
env=environment,
|
||||||
|
timeout=timeout,
|
||||||
|
stdout=subprocess.PIPE,
|
||||||
|
stderr=subprocess.PIPE,
|
||||||
|
)
|
||||||
|
except subprocess.TimeoutExpired:
|
||||||
|
pass
|
||||||
|
|
||||||
|
thread = Thread(target=runcmd, args=())
|
||||||
|
thread.start()
|
||||||
|
return 0, None, None
|
||||||
|
else:
|
||||||
|
try:
|
||||||
|
command_output = subprocess.run(
|
||||||
|
command,
|
||||||
|
env=environment,
|
||||||
|
timeout=timeout,
|
||||||
|
stdout=subprocess.PIPE,
|
||||||
|
stderr=subprocess.PIPE,
|
||||||
|
)
|
||||||
|
retcode = command_output.returncode
|
||||||
|
except subprocess.TimeoutExpired:
|
||||||
|
retcode = 128
|
||||||
|
except Exception:
|
||||||
|
retcode = 255
|
||||||
|
|
||||||
|
try:
|
||||||
|
stdout = command_output.stdout.decode("ascii")
|
||||||
|
except Exception:
|
||||||
|
stdout = ""
|
||||||
|
try:
|
||||||
|
stderr = command_output.stderr.decode("ascii")
|
||||||
|
except Exception:
|
||||||
|
stderr = ""
|
||||||
|
return retcode, stdout, stderr
|
||||||
|
|
||||||
|
def get_detect_device_lsscsi(detect_string):
|
||||||
|
"""
|
||||||
|
Parses a "detect:" string into a normalized block device path using lsscsi.
|
||||||
|
|
||||||
|
A detect string is formatted "detect:<NAME>:<SIZE>:<ID>", where
|
||||||
|
NAME is some unique identifier in lsscsi, SIZE is a human-readable
|
||||||
|
size value to within +/- 3% of the real size of the device, and
|
||||||
|
ID is the Nth (0-indexed) matching entry of that NAME and SIZE.
|
||||||
|
"""
|
||||||
|
_, name, size, idd = detect_string.split(":")
|
||||||
|
if _ != "detect":
|
||||||
|
return None
|
||||||
|
|
||||||
|
retcode, stdout, stderr = run_os_command("lsscsi -s")
|
||||||
|
if retcode:
|
||||||
|
print(f"Failed to run lsscsi: {stderr}")
|
||||||
|
return None
|
||||||
|
|
||||||
|
# Get valid lines
|
||||||
|
lsscsi_lines_raw = stdout.split("\n")
|
||||||
|
lsscsi_lines = list()
|
||||||
|
for line in lsscsi_lines_raw:
|
||||||
|
if not line:
|
||||||
|
continue
|
||||||
|
split_line = line.split()
|
||||||
|
if split_line[1] != "disk":
|
||||||
|
continue
|
||||||
|
lsscsi_lines.append(line)
|
||||||
|
|
||||||
|
# Handle size determination (+/- 3%)
|
||||||
|
lsscsi_sizes = set()
|
||||||
|
for line in lsscsi_lines:
|
||||||
|
lsscsi_sizes.add(split_line[-1])
|
||||||
|
for l_size in lsscsi_sizes:
|
||||||
|
b_size = float(re_sub(r"\D.", "", size))
|
||||||
|
t_size = float(re_sub(r"\D.", "", l_size))
|
||||||
|
|
||||||
|
plusthreepct = t_size * 1.03
|
||||||
|
minusthreepct = t_size * 0.97
|
||||||
|
|
||||||
|
if b_size > minusthreepct and b_size < plusthreepct:
|
||||||
|
size = l_size
|
||||||
|
break
|
||||||
|
|
||||||
|
blockdev = None
|
||||||
|
matches = list()
|
||||||
|
for idx, line in enumerate(lsscsi_lines):
|
||||||
|
# Skip non-disk entries
|
||||||
|
if line.split()[1] != "disk":
|
||||||
|
continue
|
||||||
|
# Skip if name is not contained in the line (case-insensitive)
|
||||||
|
if name.lower() not in line.lower():
|
||||||
|
continue
|
||||||
|
# Skip if the size does not match
|
||||||
|
if size != line.split()[-1]:
|
||||||
|
continue
|
||||||
|
# Get our blockdev and append to the list
|
||||||
|
matches.append(line.split()[-2])
|
||||||
|
|
||||||
|
blockdev = None
|
||||||
|
# Find the blockdev at index {idd}
|
||||||
|
for idx, _blockdev in enumerate(matches):
|
||||||
|
if int(idx) == int(idd):
|
||||||
|
blockdev = _blockdev
|
||||||
|
break
|
||||||
|
|
||||||
|
return blockdev
|
||||||
|
|
||||||
|
def get_detect_device_nvme(detect_string):
|
||||||
|
"""
|
||||||
|
Parses a "detect:" string into a normalized block device path using nvme.
|
||||||
|
|
||||||
|
A detect string is formatted "detect:<NAME>:<SIZE>:<ID>", where
|
||||||
|
NAME is some unique identifier in lsscsi, SIZE is a human-readable
|
||||||
|
size value to within +/- 3% of the real size of the device, and
|
||||||
|
ID is the Nth (0-indexed) matching entry of that NAME and SIZE.
|
||||||
|
"""
|
||||||
|
|
||||||
|
unit_map = {
|
||||||
|
'kB': 1000,
|
||||||
|
'MB': 1000*1000,
|
||||||
|
'GB': 1000*1000*1000,
|
||||||
|
'TB': 1000*1000*1000*1000,
|
||||||
|
'PB': 1000*1000*1000*1000*1000,
|
||||||
|
}
|
||||||
|
|
||||||
|
_, name, _size, idd = detect_string.split(":")
|
||||||
|
if _ != "detect":
|
||||||
|
return None
|
||||||
|
|
||||||
|
size_re = re_search(r'([\d.]+)([kKMGTP]B)', _size)
|
||||||
|
size_val = float(size_re.group(1))
|
||||||
|
size_unit = size_re.group(2)
|
||||||
|
size_bytes = int(size_val * unit_map[size_unit])
|
||||||
|
|
||||||
|
retcode, stdout, stderr = run_os_command("nvme list --output-format json")
|
||||||
|
if retcode:
|
||||||
|
print(f"Failed to run nvme: {stderr}")
|
||||||
|
return None
|
||||||
|
|
||||||
|
# Parse the output with json
|
||||||
|
nvme_data = loads(stdout).get('Devices', list())
|
||||||
|
|
||||||
|
# Handle size determination (+/- 3%)
|
||||||
|
size = None
|
||||||
|
nvme_sizes = set()
|
||||||
|
for entry in nvme_data:
|
||||||
|
nvme_sizes.add(entry['PhysicalSize'])
|
||||||
|
for l_size in nvme_sizes:
|
||||||
|
plusthreepct = size_bytes * 1.03
|
||||||
|
minusthreepct = size_bytes * 0.97
|
||||||
|
|
||||||
|
if l_size > minusthreepct and l_size < plusthreepct:
|
||||||
|
size = l_size
|
||||||
|
break
|
||||||
|
if size is None:
|
||||||
|
return None
|
||||||
|
|
||||||
|
blockdev = None
|
||||||
|
matches = list()
|
||||||
|
for entry in nvme_data:
|
||||||
|
# Skip if name is not contained in the line (case-insensitive)
|
||||||
|
if name.lower() not in entry['ModelNumber'].lower():
|
||||||
|
continue
|
||||||
|
# Skip if the size does not match
|
||||||
|
if size != entry['PhysicalSize']:
|
||||||
|
continue
|
||||||
|
# Get our blockdev and append to the list
|
||||||
|
matches.append(entry['DevicePath'])
|
||||||
|
|
||||||
|
blockdev = None
|
||||||
|
# Find the blockdev at index {idd}
|
||||||
|
for idx, _blockdev in enumerate(matches):
|
||||||
|
if int(idx) == int(idd):
|
||||||
|
blockdev = _blockdev
|
||||||
|
break
|
||||||
|
|
||||||
|
return blockdev
|
||||||
|
|
||||||
|
|
||||||
|
def get_detect_device(detect_string):
|
||||||
|
"""
|
||||||
|
Parses a "detect:" string into a normalized block device path.
|
||||||
|
|
||||||
|
First tries to parse using "lsscsi" (get_detect_device_lsscsi). If this returns an invalid
|
||||||
|
block device name, then try to parse using "nvme" (get_detect_device_nvme). This works around
|
||||||
|
issues with more recent devices (e.g. the Dell R6615 series) not properly reporting block
|
||||||
|
device paths for NVMe devices with "lsscsi".
|
||||||
|
"""
|
||||||
|
|
||||||
|
device = get_detect_device_lsscsi(detect_string)
|
||||||
|
if device is None or not re_match(r'^/dev', device):
|
||||||
|
device = get_detect_device_nvme(detect_string)
|
||||||
|
|
||||||
|
if device is not None and re_match(r'^/dev', device):
|
||||||
|
return device
|
||||||
|
else:
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
try:
|
||||||
|
detect_string = sys.argv[1]
|
||||||
|
except IndexError:
|
||||||
|
print("Please specify a detect: string")
|
||||||
|
exit(1)
|
||||||
|
|
||||||
|
blockdev = get_detect_device(detect_string)
|
||||||
|
if blockdev is not None:
|
||||||
|
print(blockdev)
|
||||||
|
exit(0)
|
||||||
|
else:
|
||||||
|
exit(1)
|
||||||
|
|
|
@ -233,56 +233,11 @@ seed_config() {
|
||||||
target_disk="$( realpath ${target_disk} )"
|
target_disk="$( realpath ${target_disk} )"
|
||||||
;;
|
;;
|
||||||
detect:*)
|
detect:*)
|
||||||
# Read the detect string into separate variables
|
# Use the detect.py parser to get the target disk from the detect string
|
||||||
# A detect string is formated thusly:
|
target_disk="$( /detect.py ${target_disk} )"
|
||||||
# detect:<Controller-or-Model-Name>:<Capacity-in-human-units><0-indexed-ID>
|
;;
|
||||||
# For example:
|
*)
|
||||||
# detect:INTEL:800GB:1
|
target_disk=""
|
||||||
# detect:DELLBOSS:240GB:0
|
|
||||||
# detect:PERC H330 Mini:200GB:0
|
|
||||||
echo "Attempting to find disk for detect string '${o_target_disk}'"
|
|
||||||
IFS=: read detect b_name b_size b_id <<<"${target_disk}"
|
|
||||||
# Get the lsscsi output (exclude NVMe)
|
|
||||||
lsscsi_data_all="$( lsscsi -s -N )"
|
|
||||||
# Get the available sizes, and match to within +/- 3%
|
|
||||||
lsscsi_sizes=( $( awk '{ print $NF }' <<<"${lsscsi_data_all}" | sort | uniq ) )
|
|
||||||
# For each size...
|
|
||||||
for size in ${lsscsi_sizes[@]}; do
|
|
||||||
# Get whether we match +3% and -3% sizes to handle human -> real deltas
|
|
||||||
# The break below is pretty safe. I can think of no two classes of disks
|
|
||||||
# where the difference is within 3% of each other. Even the common
|
|
||||||
# 120GB -> 128GB and 240GB -> 256GB size deltas are well outside of 3%,
|
|
||||||
# so this should be safe in all cases.
|
|
||||||
# We use Python for this due to BASH's problematic handling of floating-
|
|
||||||
# point numbers.
|
|
||||||
is_match="$(
|
|
||||||
python <<EOF
|
|
||||||
from re import sub
|
|
||||||
try:
|
|
||||||
b_size = float(sub(r'\D.','','${b_size}'))
|
|
||||||
t_size = float(sub(r'\D.','','${size}'))
|
|
||||||
except ValueError:
|
|
||||||
exit(0)
|
|
||||||
plusthreepct = t_size * 1.03
|
|
||||||
minusthreepct = t_size * 0.97
|
|
||||||
if b_size > minusthreepct and b_size < plusthreepct:
|
|
||||||
print("match")
|
|
||||||
EOF
|
|
||||||
)"
|
|
||||||
# If we do, this size is our actual block size, not what was specified
|
|
||||||
if [[ -n ${is_match} ]]; then
|
|
||||||
b_size=${size}
|
|
||||||
break
|
|
||||||
fi
|
|
||||||
done
|
|
||||||
# Search for the b_name first
|
|
||||||
lsscsi_data_name="$( grep --color=none -Fiw "${b_name}" <<<"${lsscsi_data_all}" )"
|
|
||||||
# Search for the b_blocks second
|
|
||||||
lsscsi_data_name_size="$( grep --color=none -Fiw "${b_size}" <<<"${lsscsi_data_name}" )"
|
|
||||||
# Read the /dev/X results into an array
|
|
||||||
lsscsi_filtered=( $( awk '{ print $(NF-1) }' <<<"${lsscsi_data_name_size}" ) )
|
|
||||||
# Get the b_id-th entry
|
|
||||||
target_disk="${lsscsi_filtered[${b_id}]}"
|
|
||||||
;;
|
;;
|
||||||
esac
|
esac
|
||||||
|
|
||||||
|
|
|
@ -1 +1 @@
|
||||||
live-task-standard live-tools live-boot live-boot-initramfs-tools psmisc mdadm lvm2 parted gdisk dosfstools debootstrap sipcalc vim ca-certificates vlan tftp-hpa curl ipmitool lsscsi hdparm
|
live-task-standard live-tools live-boot live-boot-initramfs-tools psmisc mdadm lvm2 parted gdisk dosfstools debootstrap sipcalc vim ca-certificates vlan tftp-hpa curl ipmitool nvme-cli jq lsscsi hdparm
|
||||||
|
|
Loading…
Reference in New Issue