hyfetch-extra/hyfetch/neofetch_util.py

445 lines
13 KiB
Python
Raw Normal View History

2022-04-11 02:50:11 +00:00
from __future__ import annotations
import os
2022-05-18 20:22:26 +00:00
import platform
2022-04-10 09:11:45 +00:00
import re
2022-08-18 04:53:52 +00:00
import shlex
2023-02-07 23:52:37 +00:00
import shutil
2022-05-18 20:22:26 +00:00
import subprocess
2022-08-30 23:27:41 +00:00
import sys
import zipfile
2022-06-20 00:50:09 +00:00
from dataclasses import dataclass
2022-04-10 09:11:45 +00:00
from pathlib import Path
from subprocess import check_output
2022-04-10 09:11:45 +00:00
from tempfile import TemporaryDirectory
from typing import Iterable
import pkg_resources
2022-12-11 12:08:09 +00:00
from .color_util import color, printc
2023-02-07 23:52:37 +00:00
from .constants import GLOBAL_CFG, MINGIT_URL, IS_WINDOWS
2022-12-11 12:08:09 +00:00
from .distros import distro_detector
2022-04-10 09:11:45 +00:00
from .presets import ColorProfile
from .serializer import from_dict
2022-12-11 02:00:10 +00:00
from .types import BackendLiteral, ColorAlignMode
2022-04-10 09:11:45 +00:00
2022-06-20 00:50:09 +00:00
RE_NEOFETCH_COLOR = re.compile('\\${c[0-9]}')
def literal_input(prompt: str, options: Iterable[str], default: str, show_ops: bool = True) -> str:
"""
Ask the user to provide an input among a list of options
:param prompt: Input prompt
:param options: Options
:param default: Default option
:param show_ops: Show options
:return: Selection
"""
options = list(options)
lows = [o.lower() for o in options]
if show_ops:
2023-03-13 14:30:04 +00:00
op_text = '|'.join([f'&l&n{o}&L&N' if o == default else o for o in options])
printc(f'{prompt} ({op_text})')
else:
printc(f'{prompt} (default: {default})')
def find_selection(sel: str):
if not sel:
return None
# Find exact match
if sel in lows:
return options[lows.index(sel)]
# Find starting abbreviation
for i, op in enumerate(lows):
if op.startswith(sel):
return options[i]
return None
selection = input('> ').lower() or default
while not find_selection(selection):
print(f'Invalid selection! {selection} is not one of {"|".join(options)}')
selection = input('> ').lower() or default
print()
return find_selection(selection)
2022-06-20 00:50:09 +00:00
2022-08-14 16:58:27 +00:00
def term_size() -> tuple[int, int]:
"""
Get terminal size
:return:
"""
try:
return os.get_terminal_size().columns, os.get_terminal_size().lines
except Exception:
return 100, 20
2022-06-20 00:50:09 +00:00
def ascii_size(asc: str) -> tuple[int, int]:
"""
2022-06-20 00:50:09 +00:00
Get distro ascii width, height ignoring color code
2022-06-20 00:50:09 +00:00
:param asc: Distro ascii
:return: Width, Height
"""
2022-06-20 00:50:09 +00:00
return max(len(line) for line in re.sub(RE_NEOFETCH_COLOR, '', asc).split('\n')), len(asc.split('\n'))
2022-04-10 08:38:20 +00:00
2022-06-20 00:50:09 +00:00
def normalize_ascii(asc: str) -> str:
2022-04-10 08:38:20 +00:00
"""
2022-06-20 00:50:09 +00:00
Make sure every line are the same width
2022-04-10 08:38:20 +00:00
"""
2022-06-20 00:50:09 +00:00
w = ascii_size(asc)[0]
return '\n'.join(line + ' ' * (w - ascii_size(line)[0]) for line in asc.split('\n'))
2022-06-20 02:37:27 +00:00
def fill_starting(asc: str) -> str:
"""
Fill the missing starting placeholders.
E.g. "${c1}...\n..." -> "${c1}...\n${c1}..."
"""
new = []
last = ''
for line in asc.split('\n'):
new.append(last + line)
# Line has color placeholders
matches = RE_NEOFETCH_COLOR.findall(line)
if len(matches) > 0:
# Get the last placeholder for the next line
last = matches[-1]
return '\n'.join(new)
2022-06-20 00:50:09 +00:00
@dataclass
class ColorAlignment:
2022-12-11 02:00:10 +00:00
mode: ColorAlignMode
2022-06-20 00:50:09 +00:00
# custom_colors[ascii color index] = unique color index in preset
custom_colors: dict[int, int] = ()
2022-06-20 02:37:27 +00:00
# Foreground/background ascii color index
fore_back: tuple[int, int] = ()
@classmethod
def from_dict(cls, d: dict):
return from_dict(cls, d)
2022-06-20 00:50:09 +00:00
def recolor_ascii(self, asc: str, preset: ColorProfile) -> str:
"""
Use the color alignment to recolor an ascii art
:return Colored ascii, Uncolored lines
"""
2022-06-20 02:37:27 +00:00
asc = fill_starting(asc)
if self.fore_back and self.mode in ['horizontal', 'vertical']:
fore, back = self.fore_back
# Replace foreground colors
asc = asc.replace(f'${{c{fore}}}', color('&0' if GLOBAL_CFG.is_light else '&f'))
lines = asc.split('\n')
# Add new colors
if self.mode == 'horizontal':
colors = preset.with_length(len(lines))
2023-03-13 14:30:04 +00:00
asc = '\n'.join([l.replace(f'${{c{back}}}', colors[i].to_ansi()) + color('&~&*') for i, l in enumerate(lines)])
2022-06-20 02:37:27 +00:00
else:
raise NotImplementedError()
# Remove existing colors
asc = re.sub(RE_NEOFETCH_COLOR, '', asc)
elif self.mode in ['horizontal', 'vertical']:
2022-06-20 00:50:09 +00:00
# Remove existing colors
asc = re.sub(RE_NEOFETCH_COLOR, '', asc)
lines = asc.split('\n')
# Add new colors
if self.mode == 'horizontal':
colors = preset.with_length(len(lines))
2023-03-13 14:30:04 +00:00
asc = '\n'.join([colors[i].to_ansi() + l + color('&~&*') for i, l in enumerate(lines)])
2022-06-20 00:50:09 +00:00
else:
2023-03-13 14:30:04 +00:00
asc = '\n'.join(preset.color_text(line) + color('&~&*') for line in lines)
2022-06-20 00:50:09 +00:00
else:
preset = preset.unique_colors()
2022-04-10 09:11:45 +00:00
2022-06-20 00:50:09 +00:00
# Apply colors
color_map = {ai: preset.colors[pi].to_ansi() for ai, pi in self.custom_colors.items()}
2022-06-20 02:37:27 +00:00
for ascii_i, c in color_map.items():
asc = asc.replace(f'${{c{ascii_i}}}', c)
2022-06-20 00:50:09 +00:00
return asc
def if_file(f: str | Path) -> Path | None:
"""
Return the file if the file exists, or return none. Useful for chaining 'or's
"""
f = Path(f)
if f.is_file():
return f
return None
2022-06-20 00:50:09 +00:00
def get_command_path() -> str:
2022-06-19 19:18:34 +00:00
"""
2022-06-20 00:50:09 +00:00
Get the absolute path of the neofetch command
2022-06-19 19:18:34 +00:00
2022-06-20 00:50:09 +00:00
:return: Command path
2022-06-19 19:18:34 +00:00
"""
cmd_path = pkg_resources.resource_filename(__name__, 'scripts/neowofetch')
# Windows doesn't support symbolic links, but also I can't detect symbolic links... hard-code it here for now.
2023-02-07 23:52:37 +00:00
if IS_WINDOWS:
2023-02-07 23:45:22 +00:00
pkg = Path(__file__).parent
pth = (shutil.which("neowofetch") or
if_file(cmd_path) or
2023-02-07 23:45:22 +00:00
if_file(pkg / 'scripts/neowofetch') or
if_file(pkg.parent / 'neofetch') or
if_file(Path(cmd_path).parent.parent.parent / 'neofetch'))
if not pth:
printc("&cError: Neofetch script cannot be found")
exit(127)
return str(pth)
return cmd_path
2022-04-10 09:11:45 +00:00
2023-02-07 23:24:24 +00:00
def ensure_git_bash() -> Path:
"""
Ensure git bash installation for windows
:returns git bash path
"""
2023-02-07 23:52:37 +00:00
if IS_WINDOWS:
# Find installation in default path
def_path = Path(r'C:\Program Files\Git\bin\bash.exe')
if def_path.is_file():
return def_path
2023-02-07 23:24:24 +00:00
# Detect third-party git.exe in path
git_exe = shutil.which("bash") or shutil.which("git.exe") or shutil.which("git")
2023-02-07 23:24:24 +00:00
if git_exe is not None:
pth = Path(git_exe).parent
if (pth / r'bash.exe').is_file():
return pth / r'bash.exe'
2023-02-07 23:24:24 +00:00
elif (pth / r'bin\bash.exe').is_file():
return pth / r'bin\bash.exe'
# Find installation in PATH (C:\Program Files\Git\cmd should be in path)
pth = (os.environ.get('PATH') or '').lower().split(';')
pth = [p for p in pth if p.endswith(r'\git\cmd')]
if pth:
return Path(pth[0]).parent / r'bin\bash.exe'
# Previously downloaded portable installation
path = Path(__file__).parent / 'min_git'
pkg_path = path / 'package.zip'
if path.is_dir():
return path / r'bin\bash.exe'
# No installation found, download a portable installation
print('Git installation not found. Git is required to use HyFetch/neofetch on Windows')
2023-07-14 22:39:28 +00:00
if literal_input('Would you like to install a minimal package for Git? (if no is selected colors almost certainly won\'t work)', ['yes', 'no'], 'yes', False) == 'yes':
print('Downloading a minimal portable package for Git...')
from urllib.request import urlretrieve
urlretrieve(MINGIT_URL, pkg_path)
print('Download finished! Extracting...')
with zipfile.ZipFile(pkg_path, 'r') as zip_ref:
zip_ref.extractall(path)
print('Done!')
return path / r'bin\bash.exe'
else:
sys.exit()
2022-08-21 00:52:21 +00:00
def check_windows_cmd():
"""
Check if this script is running under cmd.exe. If so, launch an external window with git bash
since cmd doesn't support RGB colors.
"""
2023-02-07 23:52:37 +00:00
if IS_WINDOWS:
import psutil
2022-08-30 23:27:41 +00:00
# TODO: This line does not correctly identify cmd prompts...
if psutil.Process(os.getppid()).name().lower().strip() == 'cmd.exe':
print("cmd.exe doesn't support RGB colors, restarting in MinTTY...")
cmd = f'"{ensure_git_bash().parent.parent / "usr/bin/mintty.exe"}" -s 110,40 -e python -m hyfetch --ask-exit'
os.system(cmd)
2022-08-30 23:27:41 +00:00
sys.exit(0)
2022-08-21 00:52:21 +00:00
2022-12-11 02:00:10 +00:00
def run_neofetch_cmd(args: str, pipe: bool = False) -> str | None:
2022-08-18 04:53:52 +00:00
"""
Run neofetch command
"""
if platform.system() != 'Windows':
2023-02-08 20:03:40 +00:00
full_cmd = ['/usr/bin/env', 'bash', get_command_path(), *shlex.split(args)]
2022-08-18 04:53:52 +00:00
else:
cmd = get_command_path().replace("\\", "/").replace("C:/", "/c/")
args = args.replace('\\', '/').replace('C:/', '/c/')
2023-02-08 20:03:40 +00:00
full_cmd = [ensure_git_bash(), '-c', f"'{cmd}' {args}"]
2022-08-18 04:53:52 +00:00
# print(full_cmd)
if pipe:
return check_output(full_cmd).decode().strip()
else:
subprocess.run(full_cmd)
2022-06-20 00:50:09 +00:00
def get_distro_ascii(distro: str | None = None) -> str:
"""
Get the distro ascii of the current distro. Or if distro is specified, get the specific distro's
ascii art instead.
2022-04-10 09:11:45 +00:00
2022-06-20 00:50:09 +00:00
:return: Distro ascii
"""
2022-06-20 01:22:36 +00:00
if not distro and GLOBAL_CFG.override_distro:
distro = GLOBAL_CFG.override_distro
2022-06-20 02:37:27 +00:00
if GLOBAL_CFG.debug:
print(distro)
print(GLOBAL_CFG)
2022-12-11 12:08:09 +00:00
# Try new pure-python detection method
det = distro_detector.detect(distro or get_distro_name())
2022-12-11 12:08:09 +00:00
if det is not None:
return normalize_ascii(det.ascii)
if GLOBAL_CFG.debug:
printc(f"&cError: Cannot find distro {distro}")
# Old detection method that calls neofetch
2022-06-20 00:50:09 +00:00
cmd = 'print_ascii'
if distro:
cmd += f' --ascii_distro {distro}'
2022-04-10 09:11:45 +00:00
2022-12-11 02:00:10 +00:00
asc = run_neofetch_cmd(cmd, True)
# Unescape backslashes here because backslashes are escaped in neofetch for printf
asc = asc.replace('\\\\', '\\')
return normalize_ascii(asc)
2022-06-19 19:18:34 +00:00
2022-07-29 14:37:46 +00:00
def get_distro_name():
2022-12-11 02:00:10 +00:00
return run_neofetch_cmd('ascii_distro_name', True)
2022-07-29 14:37:46 +00:00
2023-06-02 07:18:07 +00:00
def run(asc: str, backend: BackendLiteral, args: str = ''):
if backend == "neofetch":
2023-06-02 07:18:07 +00:00
return run_neofetch(asc, args)
if backend == "fastfetch":
2023-06-02 07:18:07 +00:00
return run_fastfetch(asc, args)
if backend == "fastfetch-old":
2023-06-02 07:18:07 +00:00
return run_fastfetch(asc, args, legacy=True)
2023-07-03 15:54:46 +00:00
if backend == "qwqfetch":
return run_qwqfetch(asc, args)
def run_qwqfetch(asc: str, args: str = ''):
2023-07-03 15:54:46 +00:00
"""
Run neofetch with colors
:param preset: Color palette
:param alignment: Color alignment settings
"""
asc = asc.replace('\\', '\\\\')
# call qwqfetch to print string
try:
import qwqfetch
2023-07-03 15:54:46 +00:00
# distro_detector only return a bash variable
# so we use qwqfetch builtin distro detector
print(qwqfetch.get_ascres(asc))
2023-07-03 15:54:46 +00:00
except ImportError as e: # module not found etc
print("qwqfetch is not installed. Install it by executing:") # use print to output hint directly
print("pip install git+https://github.com/nexplorer-3e/qwqfetch") # TODO: public repo
raise e
2023-06-02 07:18:07 +00:00
def run_neofetch(asc: str, args: str = ''):
2022-07-30 17:27:26 +00:00
"""
Run neofetch with colors
:param asc: Ascii art
2023-06-02 07:18:07 +00:00
:param args: Additional arguments to pass to neofetch
2022-07-30 17:27:26 +00:00
"""
# Escape backslashes here because backslashes are escaped in neofetch for printf
asc = asc.replace('\\', '\\\\')
2022-04-10 09:11:45 +00:00
# Write temp file
with TemporaryDirectory() as tmp_dir:
tmp_dir = Path(tmp_dir)
path = tmp_dir / 'ascii.txt'
path.write_text(asc)
# Call neofetch with the temp file
2023-06-02 07:18:07 +00:00
if args:
args = ' ' + args
run_neofetch_cmd(f'--ascii --source {path.absolute()} --ascii-colors' + args)
2022-06-20 02:37:27 +00:00
2023-06-02 07:18:07 +00:00
def run_fastfetch(asc: str, args: str = '', legacy: bool = False):
"""
Run neofetch with colors
:param asc: Ascii art
2023-06-02 07:18:07 +00:00
:param args: Additional arguments to pass to fastfetch
:param legacy: Set true when using fastfetch < 1.8.0
"""
# Write temp file
with TemporaryDirectory() as tmp_dir:
tmp_dir = Path(tmp_dir)
path = tmp_dir / 'ascii.txt'
path.write_text(asc)
# Call fastfetch with the temp file
2023-06-02 07:18:07 +00:00
proc = subprocess.run(['fastfetch', '--raw' if legacy else '--file-raw', path.absolute(), *shlex.split(args)])
if proc.returncode == 144:
printc("&6Error code 144 detected: Please upgrade fastfetch to >=1.8.0 or use the 'fastfetch-old' backend")
2022-07-29 14:37:46 +00:00
def get_fore_back(distro: str | None = None) -> tuple[int, int] | None:
"""
Get recommended foreground-background configuration for distro, or None if the distro ascii is
not suitable for fore-back configuration.
:return:
"""
if not distro and GLOBAL_CFG.override_distro:
distro = GLOBAL_CFG.override_distro
if not distro:
distro = get_distro_name().lower()
distro = distro.lower().replace(' ', '-')
2022-07-29 14:37:46 +00:00
for k, v in fore_back.items():
if distro == k.lower():
2022-07-29 14:37:46 +00:00
return v
return None
# Foreground-background recommendation
fore_back = {
'fedora': (2, 1),
2022-10-20 03:48:41 +00:00
'kubuntu': (2, 1),
'lubuntu': (2, 1),
'xubuntu': (2, 1),
'ubuntu-cinnamon': (2, 1),
'ubuntu-kylin': (2, 1),
'ubuntu-mate': (2, 1),
'ubuntu-studio': (2, 1),
'ubuntu-sway': (2, 1),
2022-06-20 02:37:27 +00:00
}