hyfetch-extra/hyfetch/main.py

251 lines
8 KiB
Python
Raw Normal View History

2022-04-10 04:05:56 -04:00
#!/usr/bin/env python3
2022-04-10 22:50:11 -04:00
from __future__ import annotations
2022-04-10 04:05:56 -04:00
import argparse
2022-06-19 16:29:45 -04:00
import importlib
2022-04-10 04:05:56 -04:00
import json
2022-06-19 16:29:45 -04:00
import os
2022-04-10 04:05:56 -04:00
from dataclasses import dataclass
from pathlib import Path
2022-04-10 22:50:11 -04:00
from typing import Iterable
2022-04-10 04:05:56 -04:00
2022-06-19 17:25:02 -04:00
from typing_extensions import Literal
2022-06-19 17:20:41 -04:00
from . import constants
2022-06-19 17:06:13 -04:00
from .color_util import AnsiMode, printc, color, clear_screen, RGB
2022-06-19 18:34:08 -04:00
from .constants import CONFIG_PATH, VERSION, TERM_LEN, TEST_ASCII_WIDTH, TEST_ASCII
2022-06-19 15:20:07 -04:00
from .neofetch_util import run_neofetch, replace_colors, get_custom_distro_ascii
2022-04-10 06:12:59 -04:00
from .presets import PRESETS, ColorProfile
2022-04-25 14:05:20 -04:00
from .serializer import json_stringify
2022-04-10 04:05:56 -04:00
@dataclass
class Config:
preset: str
2022-04-10 22:43:34 -04:00
mode: AnsiMode
2022-06-19 17:25:02 -04:00
light_dark: Literal['light', 'dark'] = 'dark'
2022-06-19 18:34:08 -04:00
lightness: float | None = None
2022-04-10 04:05:56 -04:00
def save(self):
CONFIG_PATH.parent.mkdir(exist_ok=True, parents=True)
2022-04-10 04:05:56 -04:00
CONFIG_PATH.write_text(json_stringify(self), 'utf-8')
def check_config() -> Config:
"""
Check if the configuration exists. Return the config object if it exists. If not, call the
config creator
TODO: Config path param
:return: Config object
"""
if CONFIG_PATH.is_file():
return Config(**json.loads(CONFIG_PATH.read_text('utf-8')))
return create_config()
2022-06-19 17:20:41 -04:00
def literal_input(prompt: str, options: Iterable[str], default: str, show_ops: bool = True) -> str:
2022-04-10 04:05:56 -04:00
"""
Ask the user to provide an input among a list of options
:param prompt: Input prompt
:param options: Options
:param default: Default option
2022-06-19 17:20:41 -04:00
:param show_ops: Show options
2022-04-10 04:05:56 -04:00
:return: Selection
"""
options = list(options)
lows = [o.lower() for o in options]
2022-06-19 17:20:41 -04:00
if show_ops:
op_text = '|'.join([f'&l&n{o}&r' if o == default else o for o in options])
printc(f'{prompt} ({op_text})')
else:
printc(f'{prompt} (default: {default})')
2022-04-10 04:05:56 -04:00
selection = input('> ') or default
while not selection.lower() in lows:
print(f'Invalid selection! {selection} is not one of {"|".join(options)}')
selection = input('> ') or default
print()
return options[lows.index(selection)]
def create_config() -> Config:
"""
Create config interactively
:return: Config object (automatically stored)
"""
2022-06-19 18:03:05 -04:00
title = 'Welcome to &b&lhy&f&lfetch&r! Let\'s set up some colors first.'
2022-06-19 16:33:17 -04:00
clear_screen(title)
2022-06-19 16:29:45 -04:00
2022-06-19 17:06:13 -04:00
##############################
# 1. Select color system
2022-06-19 16:29:45 -04:00
try:
# Demonstrate RGB with a gradient. This requires numpy
from .color_scale import Scale
scale2 = Scale(['#12c2e9', '#c471ed', '#f7797d'])
2022-06-19 18:03:05 -04:00
_8bit = [scale2(i / TERM_LEN).to_ansi_8bit(False) for i in range(TERM_LEN)]
_rgb = [scale2(i / TERM_LEN).to_ansi_rgb(False) for i in range(TERM_LEN)]
2022-06-19 16:29:45 -04:00
2022-06-19 18:03:05 -04:00
printc('&f' + ''.join(c + t for c, t in zip(_8bit, '8bit Color Testing'.center(TERM_LEN))))
printc('&f' + ''.join(c + t for c, t in zip(_rgb, 'RGB Color Testing'.center(TERM_LEN))))
2022-06-19 16:29:45 -04:00
print()
2022-06-19 18:03:05 -04:00
printc(f'&a1. Which &bcolor system &ado you want to use?')
2022-06-19 16:29:45 -04:00
printc(f'(If you can\'t see colors under "RGB Color Testing", please choose 8bit)')
print()
color_system = literal_input('Your choice?', ['8bit', 'rgb'], 'rgb')
except ModuleNotFoundError:
# Numpy not found, skip gradient test, use fallback
color_system = literal_input('Which &acolor &bsystem &rdo you want to use?',
['8bit', 'rgb'], 'rgb')
2022-06-19 17:20:41 -04:00
# Override global color mode
constants.COLOR_MODE = color_system
2022-06-19 18:03:05 -04:00
title += f'\n&e1. Selected color mode: &r{color_system}'
2022-04-10 04:05:56 -04:00
2022-06-19 17:25:02 -04:00
##############################
2022-06-19 17:42:19 -04:00
# 2. Choose preset
2022-06-19 17:37:04 -04:00
clear_screen(title)
2022-06-19 18:03:05 -04:00
printc('&a2. Let\'s choose a flag!')
printc('Available flag presets:')
print()
2022-06-19 17:06:13 -04:00
# Create flags = [[lines]]
2022-04-10 06:45:45 -04:00
flags = []
2022-06-19 17:06:13 -04:00
spacing = max(max(len(k) for k in PRESETS.keys()), 20)
2022-04-10 04:05:56 -04:00
for name, preset in PRESETS.items():
2022-06-19 17:06:13 -04:00
flag = preset.color_text(' ' * spacing, foreground=False)
flags.append([name.center(spacing), flag, flag, flag])
# Calculate flags per row
2022-06-19 18:03:05 -04:00
flags_per_row = TERM_LEN // (spacing + 2)
2022-04-10 06:45:45 -04:00
while flags:
current = flags[:flags_per_row]
flags = flags[flags_per_row:]
2022-06-19 17:06:13 -04:00
# Print by row
2022-06-19 18:34:08 -04:00
[printc(' '.join(line)) for line in zip(*current)]
2022-04-10 06:45:45 -04:00
print()
2022-04-10 04:05:56 -04:00
print()
2022-06-19 17:42:19 -04:00
tmp = PRESETS['rainbow'].set_light(.7).color_text('preset')
2022-06-19 17:37:04 -04:00
preset = literal_input(f'Which {tmp} do you want to use?', PRESETS.keys(), 'rainbow', show_ops=False)
2022-06-19 18:34:08 -04:00
_prs = PRESETS[preset]
title += f'\n&e2. Selected flag: &r{_prs.color_text(preset)}'
2022-04-10 04:05:56 -04:00
2022-06-19 17:42:19 -04:00
##############################
# 3. Select light/dark mode
clear_screen(title)
light_dark = literal_input(f'3. Is your terminal in &gf(#85e7e9)light mode&r or &gf(#c471ed)dark mode&r?',
['light', 'dark'], 'dark')
2022-06-19 18:03:05 -04:00
is_light = light_dark == 'light'
title += f'\n&e3. Light/Dark: &r{light_dark}'
2022-06-19 17:42:19 -04:00
2022-06-19 18:34:08 -04:00
#############################
# 4. Dim/lighten colors
clear_screen(title)
printc(f'&a4. Let\'s adjust the color brightness!')
printc(f'The colors might be a little bit too {"bright" if is_light else "dark"} for {light_dark} mode.')
print()
# Print cats
num_cols = TERM_LEN // (TEST_ASCII_WIDTH + 2)
ratios = [col / (num_cols - 1) for col in range(num_cols)]
ratios = [r * 0.6 + 0.2 for r in ratios]
lines = [replace_colors(TEST_ASCII.replace('{txt}', f'{r * 100:.0f}%'.center(5)),
_prs.set_light(r))[0].split('\n') for r in ratios]
[printc(' '.join(line)) for line in zip(*lines)]
while True:
print()
printc('Which brightness level look the best? (Default: unset)')
lightness = input('> ').strip().lower() or None
# Parse lightness
if not lightness or lightness in ['unset', 'none']:
lightness = None
break
try:
lightness = int(lightness[:-1]) / 100 if lightness.endswith('%') else float(lightness)
assert 0 <= lightness <= 1
break
except Exception:
printc('&cUnable to parse lightness value, please input it as a decimal or percentage (e.g. 0.5 or 50%)')
2022-04-10 05:14:40 -04:00
# Create config
2022-06-19 18:34:08 -04:00
c = Config(preset, color_system, light_dark, lightness)
2022-04-10 05:14:40 -04:00
# Save config
2022-06-19 18:34:08 -04:00
print()
2022-04-10 05:14:40 -04:00
save = literal_input(f'Save config?', ['y', 'n'], 'y')
if save == 'y':
c.save()
2022-04-10 04:05:56 -04:00
return c
def run():
2022-04-10 05:55:44 -04:00
# Create CLI
hyfetch = color('&b&lhy&f&lfetch&r')
parser = argparse.ArgumentParser(description=color(f'{hyfetch} - neofetch with flags <3'))
parser.add_argument('-c', '--config', action='store_true', help=color(f'Configure {hyfetch}'))
parser.add_argument('-p', '--preset', help=f'Use preset', choices=PRESETS.keys())
2022-04-10 22:43:34 -04:00
parser.add_argument('-m', '--mode', help=f'Color mode', choices=['8bit', 'rgb'])
2022-04-10 06:12:59 -04:00
parser.add_argument('--c-scale', dest='scale', help=f'Lighten colors by a multiplier', type=float)
parser.add_argument('--c-set-l', dest='light', help=f'Set lightness value of the colors', type=float)
2022-04-25 14:05:20 -04:00
parser.add_argument('-V', '--version', dest='version', action='store_true', help=f'Check version')
2022-06-19 15:20:07 -04:00
parser.add_argument('--debug', action='store_true', help=color(f'Debug mode'))
parser.add_argument('--test-distro', help=color(f'Test print a specific distro\'s ascii art'))
2022-04-10 05:55:44 -04:00
args = parser.parse_args()
2022-04-25 14:05:20 -04:00
if args.version:
print(f'Version is {VERSION}')
return
2022-04-10 05:55:44 -04:00
# Load config
2022-04-10 04:05:56 -04:00
config = check_config()
2022-04-10 05:55:44 -04:00
# Reset config
if args.config:
2022-04-10 06:45:45 -04:00
config = create_config()
2022-04-10 05:55:44 -04:00
# Param overwrite config
if args.preset:
config.preset = args.preset
if args.mode:
config.mode = args.mode
2022-06-19 17:20:41 -04:00
# Override global color mode
constants.COLOR_MODE = config.mode
# Get preset
2022-04-10 06:12:59 -04:00
preset = PRESETS.get(config.preset)
# Lighten
if args.scale:
2022-06-19 17:37:04 -04:00
preset = preset.lighten(args.scale)
2022-04-10 06:12:59 -04:00
if args.light:
2022-06-19 17:37:04 -04:00
preset = preset.set_light(args.light)
2022-04-10 06:12:59 -04:00
2022-06-19 15:20:07 -04:00
# Test distro ascii art
if args.test_distro:
asc = get_custom_distro_ascii(args.test_distro)
print(asc)
print(replace_colors(asc, preset, config.mode)[0])
2022-06-19 17:20:41 -04:00
return
2022-06-19 15:20:07 -04:00
2022-04-10 05:55:44 -04:00
# Run
2022-04-10 22:43:34 -04:00
run_neofetch(preset, config.mode)