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
|
# Copyright (C) 2010-2023 Bastian Kleineidam
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
"""Utility functions."""
import functools
import os
import re
import platform
import sys
import shutil
import subprocess
from collections.abc import Sequence
from .log import log_info
class PatoolError(Exception):
"""Raised when errors occur."""
def backtick(cmd: Sequence[str], encoding: str = 'utf-8', check: bool = True) -> str:
"""Return decoded output from command."""
return subprocess.run(
cmd, stdout=subprocess.PIPE, check=check, encoding=encoding, errors="replace"
).stdout
def run_under_pythonw() -> bool:
"""Return True iff this script is run with pythonw.exe on Windows."""
return (
os.name == 'nt'
and sys.executable is not None
and sys.executable.lower().endswith('pythonw.exe')
)
def run(
cmd: Sequence[str], verbosity: int = 0, interactive: bool = True, **kwargs
) -> int:
"""Run command without error checking.
@return: command return code
"""
# Note that shell_quote_nt() result is not suitable for copy-paste
# (especially on Unix systems), but it looks nicer than shell_quote().
if verbosity >= 0:
info = " ".join(map(shell_quote_nt, cmd))
log_info(f"running {info}")
if run_under_pythonw():
# prevent opening of additional consoles when running with pythonw.exe
kwargs["creationflags"] = (
subprocess.CREATE_NO_WINDOW # pytype: disable=module-attr
)
if not interactive:
# try to prevent hangs for programs requiring input
kwargs["input"] = ""
if verbosity < 1:
# hide command output on stdout
kwargs['stdout'] = subprocess.DEVNULL
if verbosity < -1:
# hide command output on stdout
kwargs['stderr'] = subprocess.DEVNULL
if kwargs:
if verbosity > 0:
info = ", ".join(f"{k}={shell_quote(str(v))}" for k, v in kwargs.items())
log_info(f" with {info}")
if kwargs.get("shell"):
# for shell calls the command must be a string
cmd = " ".join(cmd)
res = subprocess.run(cmd, check=False, **kwargs)
return res.returncode
def run_checked(
cmd: Sequence[str], ret_ok: Sequence[int] = (0,), interactive: bool = True, **kwargs
) -> int:
"""Run command and raise PatoolError on error."""
retcode = run(cmd, interactive=interactive, **kwargs)
if retcode not in ret_ok:
msg = f"Command `{cmd}' returned non-zero exit status {retcode}"
raise PatoolError(msg)
return retcode
def shell_quote(value: str) -> str:
"""Quote all shell metacharacters in given string value with strong
(i.e. single) quotes, handling the single quote especially.
"""
if os.name == 'nt':
return shell_quote_nt(value)
return shell_quote_unix(value)
def shell_quote_unix(value: str) -> str:
"""Quote argument for Unix system."""
value = value.replace("'", r"'\''")
return f"'{value}'"
def shell_quote_nt(value: str) -> str:
"""Quote argument for Windows system. Modeled after distutils
_nt_quote_args() function.
"""
if " " in value:
return f'"{value}"'
return value
def p7zip_supports_rar(program: str) -> bool:
"""Determine if the RAR codec is installed for 7z program.
If installed, `7z i` will print something like
...
Codecs:
1 D 40301 Rar1
1 D 40302 Rar2
1 D 40303 Rar3
1 D 40305 Rar5
...
"""
_7z = find_program(program)
if _7z:
formats = backtick([_7z, "i"])
return bool(re.search(r" Rar\d$", formats, re.MULTILINE))
return False
def p7zip_supports_compress(program: str) -> bool:
"""Determine if COMPRESS (.Z) archives are supported for 7z program.
If installed, `7z i` will print something like
...
Formats:
0 ...................... Z z taz (.tar) 1F 9D
...
"""
_7z = find_program(program)
if _7z:
formats = backtick([_7z, "i"])
return bool(re.search(r"Z\s+z\s+taz", formats, re.MULTILINE))
return False
def system_search_path() -> str:
"""Get the list of directories to search for executable programs."""
path = os.environ.get("PATH", os.defpath)
if os.name == 'nt':
# Add some well-known archiver programs to the search path
path = append_to_path(path, get_nt_7z_dir())
path = append_to_path(path, get_nt_mac_dir())
path = append_to_path(path, get_nt_winrar_dir())
# Add peazip add-ons
peazip_dir = get_peazip_addon_dir()
if os.path.isdir(peazip_dir):
for subdir in os.listdir(peazip_dir):
path = append_to_path(path, os.path.join(peazip_dir, subdir))
return path
def append_to_path(path: str, directory: str) -> str:
"""Add a directory to the PATH environment variable, if it is a valid
directory.
"""
if not os.path.isdir(directory) or directory in path:
return path
if not path.endswith(os.pathsep):
path += os.pathsep
return path + directory
@functools.cache
def find_program(program: str) -> str | None:
"""Look for given program."""
return shutil.which(program, path=system_search_path())
def get_nt_7z_dir() -> str:
"""Return 7-Zip directory from registry, or an empty string."""
import winreg # noqa: PLC0415
import platform # noqa: PLC0415
python_bits = platform.architecture()[0]
keyname = r"SOFTWARE\7-Zip"
try:
if python_bits == '32bit' and platform.machine().endswith('64'):
# get 64-bit registry key from 32-bit Python
key = winreg.OpenKey(
winreg.HKEY_LOCAL_MACHINE,
keyname,
0,
winreg.KEY_READ | winreg.KEY_WOW64_64KEY,
)
else:
key = winreg.OpenKey(winreg.HKEY_LOCAL_MACHINE, keyname)
try:
return winreg.QueryValueEx(key, "Path")[0]
finally:
winreg.CloseKey(key)
except OSError:
return ""
def get_nt_program_dir() -> str:
"""Return the Windows program files directory."""
progvar = "%ProgramFiles%"
return os.path.expandvars(progvar)
def get_nt_mac_dir() -> str:
"""Return Monkey Audio Compressor (MAC) directory."""
return os.path.join(get_nt_program_dir(), "Monkey's Audio")
def get_nt_winrar_dir() -> str:
"""Return WinRAR directory."""
return os.path.join(get_nt_program_dir(), "WinRAR")
def get_peazip_addon_dir() -> str:
"""Get platform-dependen directory for PeaZip add-ons."""
if platform.system() == 'Windows':
return 'C:\\Program Files\\PeaZip\\res\\bin\\'
if platform.system() == 'Linux':
return '/usr/lib/peazip/res/bin/'
if platform.system() == 'Darwin':
return '/Applications/peazip.app/Content/MacOS/bin/'
return ''
def get_arc_format(arc_exe: str) -> str:
"""If running arc_exe without options prints "FreeArc" in its output assume
the given arc_exe supports the freearc format. Else assume arc format support.
"""
helptext = backtick([arc_exe], check=False)
return "freearc" if "FreeArc" in helptext else "arc"
def strlist_with_or(alist: Sequence[str]) -> str:
"""Return comma separated string, and last entry appended with ' or '."""
if len(alist) > 1:
head = ", ".join(alist[:-1])
tail = alist[-1]
return f"{head} or {tail}"
return ", ".join(alist)
|