2022-04-10 08:05:56 +00:00
|
|
|
#!/usr/bin/env python3
|
2022-04-11 02:50:11 +00:00
|
|
|
from __future__ import annotations
|
2022-04-10 08:05:56 +00:00
|
|
|
|
|
|
|
import argparse
|
|
|
|
import json
|
2022-06-20 00:50:09 +00:00
|
|
|
import random
|
2022-08-30 23:27:41 +00:00
|
|
|
import traceback
|
2022-10-23 05:37:23 +00:00
|
|
|
from itertools import permutations
|
2022-08-13 18:26:58 +00:00
|
|
|
from math import ceil
|
2022-10-23 05:37:23 +00:00
|
|
|
from typing import Iterable
|
2022-04-10 08:05:56 +00:00
|
|
|
|
2022-10-23 05:37:23 +00:00
|
|
|
from .color_scale import Scale
|
2022-11-22 19:52:09 +00:00
|
|
|
from .color_util import printc, clear_screen
|
2022-08-13 19:24:00 +00:00
|
|
|
from .constants import *
|
2022-06-20 02:37:27 +00:00
|
|
|
from .models import Config
|
2022-08-14 16:58:27 +00:00
|
|
|
from .neofetch_util import *
|
2022-06-20 00:50:09 +00:00
|
|
|
from .presets import PRESETS
|
2022-04-10 08:05:56 +00:00
|
|
|
|
|
|
|
|
|
|
|
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():
|
2022-07-26 00:43:52 +00:00
|
|
|
try:
|
|
|
|
return Config.from_dict(json.loads(CONFIG_PATH.read_text('utf-8')))
|
|
|
|
except KeyError:
|
|
|
|
return create_config()
|
2022-04-10 08:05:56 +00:00
|
|
|
|
|
|
|
return create_config()
|
|
|
|
|
|
|
|
|
2022-06-19 21:20:41 +00:00
|
|
|
def literal_input(prompt: str, options: Iterable[str], default: str, show_ops: bool = True) -> str:
|
2022-04-10 08:05:56 +00: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 21:20:41 +00:00
|
|
|
:param show_ops: Show options
|
2022-04-10 08:05:56 +00:00
|
|
|
:return: Selection
|
|
|
|
"""
|
|
|
|
options = list(options)
|
|
|
|
lows = [o.lower() for o in options]
|
|
|
|
|
2022-06-19 21:20:41 +00: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-07-29 14:50:20 +00:00
|
|
|
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):
|
2022-04-10 08:05:56 +00:00
|
|
|
print(f'Invalid selection! {selection} is not one of {"|".join(options)}')
|
2022-07-29 14:50:20 +00:00
|
|
|
selection = input('> ').lower() or default
|
|
|
|
|
2022-04-10 08:05:56 +00:00
|
|
|
print()
|
|
|
|
|
2022-07-29 14:50:20 +00:00
|
|
|
return find_selection(selection)
|
2022-04-10 08:05:56 +00:00
|
|
|
|
|
|
|
|
|
|
|
def create_config() -> Config:
|
|
|
|
"""
|
|
|
|
Create config interactively
|
|
|
|
|
|
|
|
:return: Config object (automatically stored)
|
|
|
|
"""
|
2022-11-22 19:52:09 +00:00
|
|
|
# Detect terminal environment (doesn't work on Windows)
|
|
|
|
det_bg, det_ansi = None, None
|
|
|
|
if platform.system() != 'Windows':
|
|
|
|
from . import termenv
|
|
|
|
det_bg = termenv.get_background_color()
|
|
|
|
det_ansi = termenv.detect_ansi_mode()
|
2022-10-23 05:37:23 +00:00
|
|
|
|
2022-08-14 16:58:27 +00:00
|
|
|
asc = get_distro_ascii()
|
2022-08-18 05:05:15 +00:00
|
|
|
asc_width, asc_lines = ascii_size(asc)
|
2022-10-23 05:37:23 +00:00
|
|
|
logo = color("&b&lhyfetch&r" if det_bg is None or det_bg.is_light() else "&b&lhy&f&lfetch&r")
|
|
|
|
title = f'Welcome to {logo} Let\'s set up some colors first.'
|
2022-06-19 20:33:17 +00:00
|
|
|
clear_screen(title)
|
2022-06-19 20:29:45 +00:00
|
|
|
|
2022-10-23 05:37:23 +00:00
|
|
|
option_counter = 1
|
|
|
|
|
|
|
|
def update_title(k: str, v: str):
|
|
|
|
nonlocal title, option_counter
|
|
|
|
if not k.endswith(":"):
|
|
|
|
k += ':'
|
|
|
|
title += f"\n&e{option_counter}. {k.ljust(30)} &r{v}"
|
|
|
|
option_counter += 1
|
|
|
|
|
2022-10-23 06:12:05 +00:00
|
|
|
def print_title_prompt(prompt: str):
|
|
|
|
printc(f'&a{option_counter}. {prompt}')
|
|
|
|
|
2022-08-14 16:58:27 +00:00
|
|
|
##############################
|
|
|
|
# 0. Check term size
|
|
|
|
try:
|
|
|
|
term_len, term_lines = os.get_terminal_size().columns, os.get_terminal_size().lines
|
2022-08-18 05:05:15 +00:00
|
|
|
if term_len < 2 * asc_width + 4 or term_lines < 30:
|
2022-08-14 16:58:27 +00:00
|
|
|
printc(f'&cWarning: Your terminal is too small ({term_len} * {term_lines}). \n'
|
|
|
|
f'Please resize it for better experience.')
|
|
|
|
input('Press any key to ignore...')
|
|
|
|
except:
|
|
|
|
# print('Warning: We cannot detect your terminal size.')
|
|
|
|
pass
|
|
|
|
|
2022-06-19 21:06:13 +00:00
|
|
|
##############################
|
|
|
|
# 1. Select color system
|
2022-10-23 05:37:23 +00:00
|
|
|
def select_color_system():
|
|
|
|
if det_ansi == 'rgb':
|
|
|
|
return 'rgb', 'Detected color mode'
|
|
|
|
|
|
|
|
clear_screen(title)
|
|
|
|
term_len, term_lines = term_size()
|
2022-06-19 20:29:45 +00:00
|
|
|
|
|
|
|
scale2 = Scale(['#12c2e9', '#c471ed', '#f7797d'])
|
2022-08-14 16:58:27 +00: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 20:29:45 +00:00
|
|
|
|
2022-08-14 16:58:27 +00: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 20:29:45 +00:00
|
|
|
|
|
|
|
print()
|
2022-10-23 06:12:05 +00:00
|
|
|
print_title_prompt('Which &bcolor system &ado you want to use?')
|
2022-06-19 20:29:45 +00:00
|
|
|
printc(f'(If you can\'t see colors under "RGB Color Testing", please choose 8bit)')
|
|
|
|
print()
|
|
|
|
|
2022-10-23 05:37:23 +00:00
|
|
|
return literal_input('Your choice?', ['8bit', 'rgb'], 'rgb'), 'Selected color mode'
|
2022-06-19 20:29:45 +00:00
|
|
|
|
2022-06-19 21:20:41 +00:00
|
|
|
# Override global color mode
|
2022-10-23 05:37:23 +00:00
|
|
|
color_system, ttl = select_color_system()
|
2022-06-20 01:22:36 +00:00
|
|
|
GLOBAL_CFG.color_mode = color_system
|
2022-10-23 05:37:23 +00:00
|
|
|
update_title(ttl, color_system)
|
2022-04-10 08:05:56 +00:00
|
|
|
|
2022-06-19 21:25:02 +00:00
|
|
|
##############################
|
2022-07-03 16:42:19 +00:00
|
|
|
# 2. Select light/dark mode
|
2022-10-23 05:37:23 +00:00
|
|
|
def select_light_dark():
|
|
|
|
if det_bg is not None:
|
|
|
|
return det_bg.is_light(), 'Detected background color'
|
|
|
|
|
|
|
|
clear_screen(title)
|
|
|
|
inp = literal_input(f'2. Is your terminal in &blight mode&r or &4dark mode&r?',
|
|
|
|
['light', 'dark'], 'dark')
|
|
|
|
return inp == 'light', 'Selected background color'
|
|
|
|
|
|
|
|
is_light, ttl = select_light_dark()
|
|
|
|
light_dark = 'light' if is_light else 'dark'
|
2022-07-03 16:42:19 +00:00
|
|
|
GLOBAL_CFG.is_light = is_light
|
2022-10-23 05:37:23 +00:00
|
|
|
update_title(ttl, light_dark)
|
2022-07-03 16:42:19 +00:00
|
|
|
|
|
|
|
##############################
|
|
|
|
# 3. Choose preset
|
2022-06-19 21:06:13 +00:00
|
|
|
# Create flags = [[lines]]
|
2022-04-10 10:45:45 +00:00
|
|
|
flags = []
|
2022-06-19 21:06:13 +00:00
|
|
|
spacing = max(max(len(k) for k in PRESETS.keys()), 20)
|
2022-04-10 08:05:56 +00:00
|
|
|
for name, preset in PRESETS.items():
|
2022-06-19 21:06:13 +00:00
|
|
|
flag = preset.color_text(' ' * spacing, foreground=False)
|
|
|
|
flags.append([name.center(spacing), flag, flag, flag])
|
|
|
|
|
|
|
|
# Calculate flags per row
|
2022-08-14 16:58:27 +00:00
|
|
|
flags_per_row = term_size()[0] // (spacing + 2)
|
|
|
|
row_per_page = max(1, (term_size()[1] - 13) // 5)
|
2022-08-13 18:26:58 +00:00
|
|
|
num_pages = ceil(len(flags) / (flags_per_row * row_per_page))
|
|
|
|
|
2022-08-13 19:24:00 +00:00
|
|
|
# Create pages
|
2022-08-13 18:26:58 +00:00
|
|
|
pages = []
|
2022-08-13 19:24:00 +00:00
|
|
|
for i in range(num_pages):
|
2022-08-13 18:26:58 +00:00
|
|
|
page = []
|
2022-08-13 19:24:00 +00:00
|
|
|
for j in range(row_per_page):
|
|
|
|
page.append(flags[:flags_per_row])
|
|
|
|
flags = flags[flags_per_row:]
|
|
|
|
if not flags:
|
2022-08-13 18:26:58 +00:00
|
|
|
break
|
|
|
|
pages.append(page)
|
|
|
|
|
2022-08-13 19:24:00 +00:00
|
|
|
def print_flag_page(page: list[list[list[str]]], page_num: int):
|
2022-08-13 18:26:58 +00:00
|
|
|
clear_screen(title)
|
2022-10-23 06:12:05 +00:00
|
|
|
print_title_prompt("Let's choose a flag!")
|
2022-08-13 18:26:58 +00:00
|
|
|
printc('Available flag presets:')
|
2022-08-13 19:24:00 +00:00
|
|
|
print(f'Page: {page_num + 1} of {num_pages}')
|
2022-08-13 18:26:58 +00:00
|
|
|
print()
|
|
|
|
for i in page:
|
|
|
|
print_flag_row(i)
|
|
|
|
print()
|
|
|
|
|
2022-08-13 19:24:00 +00:00
|
|
|
def print_flag_row(current: list[list[str]]):
|
2022-06-19 22:34:08 +00:00
|
|
|
[printc(' '.join(line)) for line in zip(*current)]
|
2022-04-10 10:45:45 +00:00
|
|
|
print()
|
2022-04-10 08:05:56 +00:00
|
|
|
|
2022-08-13 18:26:58 +00:00
|
|
|
page = 0
|
|
|
|
while True:
|
|
|
|
print_flag_page(pages[page], page)
|
|
|
|
|
|
|
|
tmp = PRESETS['rainbow'].set_light_dl_def(light_dark).color_text('preset')
|
|
|
|
opts = list(PRESETS.keys())
|
|
|
|
if page < num_pages - 1:
|
|
|
|
opts.append('next')
|
|
|
|
if page > 0:
|
|
|
|
opts.append('prev')
|
2022-08-13 19:24:00 +00:00
|
|
|
print("Enter 'next' to go to the next page and 'prev' to go to the previous page.")
|
2022-08-13 18:26:58 +00:00
|
|
|
preset = literal_input(f'Which {tmp} do you want to use? ', opts, 'rainbow', show_ops=False)
|
|
|
|
if preset == 'next':
|
|
|
|
page += 1
|
|
|
|
elif preset == 'prev':
|
|
|
|
page -= 1
|
|
|
|
else:
|
|
|
|
_prs = PRESETS[preset]
|
2022-10-23 05:37:23 +00:00
|
|
|
update_title('Selected flag', _prs.set_light_dl_def(light_dark).color_text(preset))
|
2022-08-13 19:24:00 +00:00
|
|
|
break
|
2022-06-19 21:42:19 +00:00
|
|
|
|
2022-06-19 22:34:08 +00:00
|
|
|
#############################
|
|
|
|
# 4. Dim/lighten colors
|
2022-10-23 05:51:12 +00:00
|
|
|
def select_lightness():
|
|
|
|
clear_screen(title)
|
2022-10-23 06:12:05 +00:00
|
|
|
print_title_prompt("Let's adjust the color brightness!")
|
2022-10-23 05:51:12 +00:00
|
|
|
printc(f'The colors might be a little bit too {"bright" if is_light else "dark"} for {light_dark} mode.')
|
2022-06-19 22:34:08 +00:00
|
|
|
print()
|
|
|
|
|
2022-10-23 05:51:12 +00:00
|
|
|
# Print cats
|
2022-11-11 03:21:40 +00:00
|
|
|
num_cols = (term_size()[0] // (TEST_ASCII_WIDTH + 2)) or 1
|
2022-10-23 05:51:12 +00:00
|
|
|
mn, mx = 0.15, 0.85
|
2022-11-11 03:21:40 +00:00
|
|
|
ratios = [col / num_cols for col in range(num_cols)]
|
2022-10-23 05:51:12 +00:00
|
|
|
ratios = [(r * (mx - mn) / 2 + mn) if is_light else ((r * (mx - mn) + (mx + mn)) / 2) for r in ratios]
|
|
|
|
lines = [ColorAlignment('horizontal').recolor_ascii(TEST_ASCII.replace(
|
|
|
|
'{txt}', f'{r * 100:.0f}%'.center(5)), _prs.set_light_dl(r, light_dark)).split('\n') for r in ratios]
|
|
|
|
[printc(' '.join(line)) for line in zip(*lines)]
|
|
|
|
|
|
|
|
def_lightness = GLOBAL_CFG.default_lightness(light_dark)
|
|
|
|
|
|
|
|
while True:
|
|
|
|
print()
|
2022-10-23 05:51:42 +00:00
|
|
|
printc(f'Which brightness level looks the best? (Default: {def_lightness * 100:.0f}% for {light_dark} mode)')
|
2022-10-23 05:51:12 +00:00
|
|
|
lightness = input('> ').strip().lower() or None
|
|
|
|
|
|
|
|
# Parse lightness
|
|
|
|
if not lightness or lightness in ['unset', 'none']:
|
|
|
|
return def_lightness
|
|
|
|
|
|
|
|
try:
|
|
|
|
lightness = int(lightness[:-1]) / 100 if lightness.endswith('%') else float(lightness)
|
|
|
|
assert 0 <= lightness <= 1
|
|
|
|
return lightness
|
|
|
|
|
|
|
|
except Exception:
|
|
|
|
printc('&cUnable to parse lightness value, please input it as a decimal or percentage (e.g. 0.5 or 50%)')
|
|
|
|
|
|
|
|
lightness = select_lightness()
|
|
|
|
_prs = _prs.set_light_dl(lightness, light_dark)
|
|
|
|
update_title('Selected Brightness', f"{lightness:.2f}")
|
2022-06-20 00:50:09 +00:00
|
|
|
|
|
|
|
#############################
|
|
|
|
# 5. Color arrangement
|
2022-07-03 16:42:19 +00:00
|
|
|
color_alignment = None
|
2022-08-14 16:59:36 +00:00
|
|
|
fore_back = get_fore_back()
|
|
|
|
|
|
|
|
# Calculate amount of row/column that can be displayed on screen
|
2022-11-11 03:21:40 +00:00
|
|
|
ascii_per_row = max(1, term_size()[0] // (asc_width + 2))
|
2022-08-14 16:59:36 +00:00
|
|
|
ascii_rows = max(1, (term_size()[1] - 8) // asc_lines)
|
|
|
|
|
|
|
|
# Displays horizontal and vertical arrangements in the first iteration, but hide them in
|
|
|
|
# later iterations
|
|
|
|
hv_arrangements = [
|
|
|
|
('Horizontal', ColorAlignment('horizontal', fore_back=fore_back)),
|
|
|
|
('Vertical', ColorAlignment('vertical'))
|
|
|
|
]
|
|
|
|
arrangements = hv_arrangements.copy()
|
|
|
|
|
|
|
|
# Loop for random rolling
|
2022-06-20 00:50:09 +00:00
|
|
|
while True:
|
|
|
|
clear_screen(title)
|
|
|
|
|
|
|
|
# Random color schemes
|
|
|
|
pis = list(range(len(_prs.unique_colors().colors)))
|
2022-10-23 06:06:45 +00:00
|
|
|
slots = list(set(re.findall('(?<=\\${c)[0-9](?=})', asc)))
|
|
|
|
while len(pis) < len(slots):
|
2022-06-20 00:50:09 +00:00
|
|
|
pis += pis
|
2022-10-23 06:06:45 +00:00
|
|
|
perm = {p[:len(slots)] for p in permutations(pis)}
|
2022-11-11 03:24:38 +00:00
|
|
|
random_count = max(0, ascii_per_row * ascii_rows - len(arrangements))
|
2022-07-29 13:55:09 +00:00
|
|
|
if random_count > len(perm):
|
|
|
|
choices = perm
|
|
|
|
else:
|
2022-11-04 03:35:21 +00:00
|
|
|
choices = random.sample(sorted(perm), random_count)
|
2022-10-23 06:06:45 +00:00
|
|
|
choices = [{slots[i]: n for i, n in enumerate(c)} for c in choices]
|
2022-07-29 14:45:51 +00:00
|
|
|
arrangements += [(f'random{i}', ColorAlignment('custom', r)) for i, r in enumerate(choices)]
|
|
|
|
asciis = [[*ca.recolor_ascii(asc, _prs).split('\n'), k.center(asc_width)] for k, ca in arrangements]
|
2022-06-20 00:50:09 +00:00
|
|
|
|
|
|
|
while asciis:
|
|
|
|
current = asciis[:ascii_per_row]
|
|
|
|
asciis = asciis[ascii_per_row:]
|
|
|
|
|
|
|
|
# Print by row
|
|
|
|
[printc(' '.join(line)) for line in zip(*current)]
|
|
|
|
print()
|
|
|
|
|
2022-10-23 06:12:05 +00:00
|
|
|
print_title_prompt("Let's choose a color arrangement!")
|
2022-07-29 14:37:46 +00:00
|
|
|
printc(f'You can choose standard horizontal or vertical alignment, or use one of the random color schemes.')
|
|
|
|
print('You can type "roll" to randomize again.')
|
2022-06-20 00:50:09 +00:00
|
|
|
print()
|
2022-06-20 01:22:36 +00:00
|
|
|
choice = literal_input(f'Your choice?', ['horizontal', 'vertical', 'roll'] + [f'random{i}' for i in range(random_count)], 'horizontal')
|
2022-06-20 00:50:09 +00:00
|
|
|
|
|
|
|
if choice == 'roll':
|
2022-08-14 16:59:36 +00:00
|
|
|
arrangements = []
|
2022-06-20 00:50:09 +00:00
|
|
|
continue
|
|
|
|
|
2022-07-29 14:45:51 +00:00
|
|
|
# Save choice
|
2022-08-14 16:59:36 +00:00
|
|
|
arrangement_index = {k.lower(): ca for k, ca in hv_arrangements + arrangements}
|
2022-07-29 14:45:51 +00:00
|
|
|
if choice in arrangement_index:
|
|
|
|
color_alignment = arrangement_index[choice]
|
2022-06-20 00:50:09 +00:00
|
|
|
else:
|
2022-07-29 14:45:51 +00:00
|
|
|
print('Invalid choice.')
|
|
|
|
continue
|
2022-06-20 00:50:09 +00:00
|
|
|
|
|
|
|
break
|
|
|
|
|
2022-10-23 05:37:23 +00:00
|
|
|
update_title('Color alignment', color_alignment)
|
2022-06-20 00:50:09 +00:00
|
|
|
|
2022-04-10 09:14:40 +00:00
|
|
|
# Create config
|
2022-06-20 00:50:09 +00:00
|
|
|
clear_screen(title)
|
|
|
|
c = Config(preset, color_system, light_dark, lightness, color_alignment)
|
2022-04-10 09:14:40 +00:00
|
|
|
|
|
|
|
# Save config
|
2022-06-19 22:34:08 +00:00
|
|
|
print()
|
2022-04-10 09:14:40 +00:00
|
|
|
save = literal_input(f'Save config?', ['y', 'n'], 'y')
|
|
|
|
if save == 'y':
|
|
|
|
c.save()
|
|
|
|
|
2022-04-10 08:05:56 +00:00
|
|
|
return c
|
|
|
|
|
|
|
|
|
|
|
|
def run():
|
2022-08-19 16:58:34 +00:00
|
|
|
# Optional: Import readline
|
|
|
|
try:
|
|
|
|
import readline
|
|
|
|
except ModuleNotFoundError:
|
|
|
|
pass
|
|
|
|
|
2022-04-10 09:55:44 +00:00
|
|
|
# Create CLI
|
2022-07-26 00:40:43 +00:00
|
|
|
hyfetch = color('&b&lhyfetch&r')
|
2022-04-10 09:55:44 +00:00
|
|
|
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-11 02:43:34 +00:00
|
|
|
parser.add_argument('-m', '--mode', help=f'Color mode', choices=['8bit', 'rgb'])
|
2022-04-10 10:12:59 +00: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 18:05:20 +00:00
|
|
|
parser.add_argument('-V', '--version', dest='version', action='store_true', help=f'Check version')
|
2022-07-30 17:00:17 +00:00
|
|
|
parser.add_argument('--debug', action='store_true', help=f'Debug mode')
|
|
|
|
parser.add_argument('--test-distro', help=f'Test for a specific distro')
|
|
|
|
parser.add_argument('--test-print', action='store_true', help=f'Test print distro ascii art only')
|
2022-08-21 00:46:56 +00:00
|
|
|
parser.add_argument('--ask-exit', action='store_true', help=f'Ask before exitting')
|
2022-04-10 09:55:44 +00:00
|
|
|
|
|
|
|
args = parser.parse_args()
|
|
|
|
|
2022-04-25 18:05:20 +00:00
|
|
|
if args.version:
|
|
|
|
print(f'Version is {VERSION}')
|
|
|
|
return
|
|
|
|
|
2022-08-21 00:47:45 +00:00
|
|
|
# Ensure git bash for windows
|
|
|
|
ensure_git_bash()
|
2022-08-21 00:52:21 +00:00
|
|
|
check_windows_cmd()
|
2022-08-21 00:47:45 +00:00
|
|
|
|
2022-06-20 01:22:36 +00:00
|
|
|
# Test distro ascii art
|
|
|
|
if args.test_distro:
|
|
|
|
print(f'Setting distro to {args.test_distro}')
|
|
|
|
GLOBAL_CFG.override_distro = args.test_distro
|
|
|
|
|
|
|
|
if args.debug:
|
|
|
|
GLOBAL_CFG.debug = True
|
|
|
|
|
2022-06-20 02:37:27 +00:00
|
|
|
if args.test_print:
|
|
|
|
print(get_distro_ascii())
|
|
|
|
return
|
|
|
|
|
2022-10-23 05:37:48 +00:00
|
|
|
# Load config or create config
|
|
|
|
config = create_config() if args.config else check_config()
|
2022-04-10 09:55:44 +00:00
|
|
|
|
|
|
|
# Param overwrite config
|
|
|
|
if args.preset:
|
|
|
|
config.preset = args.preset
|
|
|
|
if args.mode:
|
|
|
|
config.mode = args.mode
|
|
|
|
|
2022-06-19 21:20:41 +00:00
|
|
|
# Override global color mode
|
2022-06-20 01:22:36 +00:00
|
|
|
GLOBAL_CFG.color_mode = config.mode
|
2022-06-20 02:37:27 +00:00
|
|
|
GLOBAL_CFG.is_light = config.light_dark == 'light'
|
2022-06-19 21:20:41 +00:00
|
|
|
|
|
|
|
# Get preset
|
2022-04-10 10:12:59 +00:00
|
|
|
preset = PRESETS.get(config.preset)
|
|
|
|
|
2022-10-23 05:37:48 +00:00
|
|
|
# Lighten (args > config)
|
2022-04-10 10:12:59 +00:00
|
|
|
if args.scale:
|
2022-06-19 21:37:04 +00:00
|
|
|
preset = preset.lighten(args.scale)
|
2022-10-23 05:37:48 +00:00
|
|
|
elif args.light:
|
2022-07-03 16:46:37 +00:00
|
|
|
preset = preset.set_light_raw(args.light)
|
2022-10-23 05:37:48 +00:00
|
|
|
else:
|
|
|
|
preset = preset.set_light_dl(config.lightness or GLOBAL_CFG.default_lightness())
|
2022-04-10 10:12:59 +00:00
|
|
|
|
2022-04-10 09:55:44 +00:00
|
|
|
# Run
|
2022-08-30 23:27:41 +00:00
|
|
|
try:
|
|
|
|
run_neofetch(preset, config.color_align)
|
|
|
|
except Exception as e:
|
|
|
|
print(f'Error: {e}')
|
|
|
|
traceback.print_exc()
|
2022-08-21 00:46:56 +00:00
|
|
|
|
|
|
|
if args.ask_exit:
|
|
|
|
input('Press any key to exit...')
|