Finished first build

This commit is contained in:
NicklasVraa
2023-08-02 21:26:59 +02:00
parent 6f87750c29
commit cc54602926
4 changed files with 397 additions and 112 deletions

2
.gitignore vendored
View File

@@ -2,4 +2,6 @@ color_manager.py
ngtk.py
make.ipynb
packs/
dist/
build/
__pycache__/

44
color_manager.spec Normal file
View File

@@ -0,0 +1,44 @@
# -*- mode: python ; coding: utf-8 -*-
block_cipher = None
a = Analysis(
['color_manager.py'],
pathex=[],
binaries=[],
datas=[],
hiddenimports=[],
hookspath=[],
hooksconfig={},
runtime_hooks=[],
excludes=[],
win_no_prefer_redirects=False,
win_private_assemblies=False,
cipher=block_cipher,
noarchive=False,
)
pyz = PYZ(a.pure, a.zipped_data, cipher=block_cipher)
exe = EXE(
pyz,
a.scripts,
a.binaries,
a.zipfiles,
a.datas,
[],
name='color_manager',
debug=False,
bootloader_ignore_signals=False,
strip=False,
upx=True,
upx_exclude=[],
runtime_tmpdir=None,
console=True,
disable_windowed_traceback=False,
argv_emulation=False,
target_arch=None,
codesign_identity=None,
entitlements_file=None,
)

351
color_util.py Normal file
View File

@@ -0,0 +1,351 @@
# Desc: A program for recoloring existing svg-based icon packs as well as
# themes. Designed for NovaOS.
#
# Auth: Nicklas Vraa
from typing import List, Set
from tqdm import tqdm
from colormath.color_objects import sRGBColor, LabColor
from colormath.color_conversions import convert_color
from colormath.color_diff import delta_e_cie2000
from gi.repository import Gtk
import os, re, shutil, subprocess, json
# Color space conversion -------------------------------------------------------
def hex_to_rgb(hex:str):
"""Convert hexadecimal color to RGB base 16."""
hex = hex.lstrip('#')
r = int(hex[0:2], 16)
g = int(hex[2:4], 16)
b = int(hex[4:6], 16)
return r, g, b
def rgb_to_hsl(rgb):
"""Convert RGB to HSL color-space."""
r, g, b = rgb
r /= 255.0; g /= 255.0; b /= 255.0
max_val = max(r, g, b); min_val = min(r, g, b)
h = s = l = (max_val + min_val) / 2.0
if max_val == min_val:
h = s = 0
else:
d = max_val - min_val
s = d / (2.0 - max_val - min_val)
if max_val == r:
h = (g - b) / d + (6.0 if g < b else 0.0)
elif max_val == g:
h = (b - r) / d + 2.0
else:
h = (r - g) / d + 4.0
h /= 6.0
return h, s, l
def hue_to_rgb(p, q, t):
"""Convert Hue to RGB values. Used only by hsl_to_rgb."""
if t < 0: t += 1
if t > 1: t -= 1
if t < 1 / 6: return p + (q - p) * 6 * t
if t < 1 / 2: return q
if t < 2 / 3: return p + (q - p) * (2 / 3 - t) * 6
return p
def hsl_to_rgb(hsl):
"""Convert HSL to RGB color-space."""
h, s, l = hsl
if s == 0:
r = g = b = l
else:
if l < 0.5: q = l * (1 + s)
else: q = l + s - l * s
p = 2 * l - q
r = hue_to_rgb(p, q, h + 1 / 3)
g = hue_to_rgb(p, q, h)
b = hue_to_rgb(p, q, h - 1 / 3)
r = int(round(r * 255))
g = int(round(g * 255))
b = int(round(b * 255))
return r, g, b
def rgb_to_hex(rgb):
"""Convert RGB base 16 to hexadecimal."""
r, g, b = rgb
return "#{:02x}{:02x}{:02x}".format(r, g, b)
def hex_to_hsl(hex):
"""Convert hexadecimal color to HSL color-space."""
return rgb_to_hsl(hex_to_rgb(hex))
def hex_color_to_grayscale(hex:str) -> str:
"""Convert a hexadecimal color to a hexadecimal grayscale equivalent."""
hex = hex.lstrip('#')
r,g,b = int(hex[0:2],16), int(hex[2:4],16), int(hex[4:6],16)
gs = int(0.21*r + 0.72*g + 0.07*b)
hex_gs = '#' + format(gs, '02x')*3
return hex_gs
# Input/Output -----------------------------------------------------------------
def load_palette(path:str):
"""Load a json file defining a color palette object."""
with open(path, 'r') as file:
palette = json.load(file)
return palette
def expand_path(path:str) -> str:
"""Turns given path into absolute and supports bash notation."""
return os.path.abspath(os.path.expanduser(path))
def get_paths(folder:str, ext:str) -> List[str]:
"""Return path of every file with the given extension within a folder
and its subfolders, excluding symbolic links."""
paths = []
for item in os.listdir(folder):
item_path = os.path.join(folder, item)
if os.path.islink(item_path): # Link.
continue
if os.path.isfile(item_path): # File.
if item.lower().endswith(ext):
paths.append(item_path)
elif os.path.isdir(item_path): # Folder.
subfolder_svg_paths = get_paths(item_path, ext)
paths.extend(subfolder_svg_paths)
return paths
def copy_file_structure(src_path:str, dest_path:str):
"""Copies a directory tree, but changes symbolic links to point
to files within the destination folder instead of the source.
Assumes that no link points to files outside the source folder."""
shutil.rmtree(dest_path, ignore_errors=True)
shutil.copytree(src_path, dest_path, symlinks=True)
for root, _, files in os.walk(dest_path):
for file in files:
file_path = os.path.join(root, file)
if os.path.islink(file_path):
link_target = os.readlink(file_path)
if not os.path.isabs(link_target):
continue
# Make link relative and update.
link_base = os.path.dirname(file_path)
relative_target = os.path.relpath(link_target, link_base)
os.remove(file_path)
# Replace root source folder with root destination folder.
relative_target = relative_target.replace(src_path, dest_path, 1)
os.symlink(relative_target, file_path)
def rename_pack(path:str, name:str):
"""If an index.theme file exists within the given folder, apply
appropiate naming."""
path = os.path.join(path, name)
index_path = os.path.join(path, "index.theme")
if os.path.exists(index_path):
with open(index_path, 'r') as file:
content = file.read()
contents = re.sub(r"Name=.*", "Name=" + name, content, count=1)
with open(index_path, 'w') as file:
file.write(contents)
# Documentation functions ------------------------------------------------------
def generate_entry(base:str, name:str) -> str:
"""Return a string for copy-pasting into the project readme."""
return '| ' + name.capitalize() + ' | <img src="previews/' + base + '/' + name + '/colors.png" width="50"/> <img src="previews/' + base + '/' + name + '/firefox.png" width="50"/> <img src="previews/' + base + '/' + name + '/vscode.png" width="50"/> <img src="previews/' + base + '/' + name + '/account.png" width="50"/> <img src="previews/' + base + '/' + name + '/video.png" width="50"/> <img src="previews/' + base + '/' + name + '/git.png" width="50"/> | Finished |'
def generate_previews(src_path:str, dest_path:str, name:str, width:int = 300) -> None:
"""Generate png previews of an icon_pack. Convert all svgs in a folder to pngs in another, using the external program called ImageMagick."""
in_path = os.path.join(expand_path(src_path), "preview")
out_path = os.path.join(expand_path(dest_path), name)
try:
subprocess.run(['inkscape', '--version'], stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL)
except FileNotFoundError:
raise RuntimeError("Inkscape is not installed.")
os.makedirs(out_path, exist_ok=True)
svgs = [file for file in os.listdir(in_path) if file.endswith('.svg')]
for svg in svgs:
svg_path = os.path.join(in_path, svg)
png = os.path.splitext(svg)[0] + '.png'
png_path = os.path.join(out_path, png)
command = ['inkscape', svg_path, '-o', png_path, '-w', str(width)]
subprocess.run(command)
# Utility ----------------------------------------------------------------------
def clamp(value:float, a:float, b:float) -> float:
"""Clamp an input value between a and b."""
return max(a, min(value, b))
def normalize_hsl(h:int, s:int, l:int):
"""Converts from conventional HSL format to normalized."""
return h/360, s/100, 2*(l/100)-1
def get_fill_colors(svg:str) -> Set[str]:
"""Return a list of all unique fill colors within a given string
representing an svg-file."""
colors = set()
matches = re.findall(r"#[A-Fa-f0-9]{6}", svg)
for match in matches:
colors.add(match)
return colors
def delta_e(color1:str, color2:str) -> float:
"""Returns the distance between two colors in the CIELAB color-space."""
r1,g1,b1 = hex_to_rgb(color1)
r2,g2,b2 = hex_to_rgb(color2)
color1 = sRGBColor(r1,g1,b1)
color2 = sRGBColor(r2,g2,b2)
color1 = convert_color(color1, LabColor)
color2 = convert_color(color2, LabColor)
return delta_e_cie2000(color1, color2)
def closest_color_match(color:str, palette:List[str]) -> str:
"""Compare the similarity of colors in the CIELAB colorspace. Return the
closest match, i.e. the palette entry with the smallest euclidian distance
to the given color."""
closest_color = None
min_distance = float('inf')
for entry in palette:
distance = delta_e(color, entry)
if distance < min_distance:
min_distance = distance
closest_color = entry
return closest_color
# Monochrome -------------------------------------------------------------------
def to_grayscale(svg:str, colors:Set[str]) -> str:
"""Replace every instance of colors within the given list with their
grayscale equivalent in the given string representing an svg-file."""
gray_svg = svg
graytones = set()
for color in colors:
graytone = hex_color_to_grayscale(color)
graytones.add(graytone)
gray_svg = re.sub(color, graytone, gray_svg)
return gray_svg, graytones
def monochrome_icon(svg:str, colors:Set[str], hsl) -> str:
"""Replace every instance of color within the given list with their
monochrome equivalent in the given string representing an svg-file,
determined by the given hue, saturation and lightness offset."""
h, s, l_offset = hsl
l_offset = (l_offset - 0.5) * 2 # Remapping.
monochrome_svg = svg
monochromes = set()
for color in colors:
graytone = hex_color_to_grayscale(color)
_, _, l = rgb_to_hsl(hex_to_rgb(graytone))
l = clamp(l + l_offset, -1, 1)
monochrome = rgb_to_hex(hsl_to_rgb((h, s, l)))
monochromes.add(monochrome)
monochrome_svg = re.sub(color, monochrome, monochrome_svg)
return monochrome_svg, monochromes
def monochrome_pack(src_path:str, dest_path:str, name:str, hsl, progress_bar = None) -> None:
"""Recursively copies and converts a source folder of svg icons into
a monochrome set at a destination, given a hue, saturation and lightness
offset."""
h, s, l_offset = hsl
src_path = expand_path(src_path)
dest_path = os.path.join(expand_path(dest_path), name)
copy_file_structure(src_path, dest_path)
rename_pack(dest_path, name)
paths = get_paths(dest_path, ".svg")
n = len(paths); i = 0
for path in tqdm(paths, desc="Processing SVGs", unit=" file"):
with open(path, 'r') as file:
svg = file.read()
colors = get_fill_colors(svg)
if s == 0:
svg, _ = to_grayscale(svg, colors) # Faster.
else:
svg, _ = monochrome_icon(svg, colors, (h, s, l_offset))
with open(path, 'w') as file:
file.write(svg)
i = i+1
progress_bar.set_fraction(i/n)
while Gtk.events_pending():
Gtk.main_iteration()
# Multichrome ------------------------------------------------------------------
def multichrome_icon(svg:str, colors:Set[str], new_colors:List[str]) -> str:
"""Replace colors in a given svg with the closest match within a given
color palette."""
multichrome_svg = svg
for color in colors:
new_color = closest_color_match(color, new_colors)
multichrome_svg = re.sub(color, new_color, multichrome_svg)
return multichrome_svg
def multichrome_pack(src_path:str, dest_path:str, name:str, palette, progress_bar = None) -> None:
"""Recursively copies and converts a source folder of svg icons into
a multichrome set at a destination, given a color palette file."""
src_path = expand_path(src_path)
dest_path = os.path.join(expand_path(dest_path), name)
copy_file_structure(src_path, dest_path)
rename_pack(dest_path, name)
paths = get_paths(dest_path, ".svg")
if type(palette) is str: # If path is given instead of list of colors.
new_colors = load_palette(palette)["colors"]
else:
new_colors = palette["colors"]
n = len(paths); i = 0
for path in tqdm(paths, desc="Processing SVGs", unit=" file"):
with open(path, 'r') as file:
svg = file.read()
colors = get_fill_colors(svg)
svg = multichrome_icon(svg, colors, new_colors)
with open(path, 'w') as file:
file.write(svg)
i = i+1
progress_bar.set_fraction(i/n)
while Gtk.events_pending():
Gtk.main_iteration()

112
gui.py
View File

@@ -1,112 +0,0 @@
# Desc: The GUI for color_manager
# Auth: Nicklas Vraa
import gi
gi.require_version("Gtk", "3.0")
from gi.repository import Gtk
from os.path import basename
import ngtk, color_manager
class Window(Gtk.Window):
def __init__(self):
super().__init__(title="Color Manager")
self.set_default_size(400, 300)
self.set_position(Gtk.WindowPosition.CENTER)
padding = 10
content = Gtk.Box(orientation=Gtk.Orientation.VERTICAL)
self.add(content)
self.pages = Gtk.Notebook()
content.pack_start(self.pages, True, True, 0)
mono = ngtk.Page(self.pages, "Monochromatic", padding)
mono.add(ngtk.Label("Choose a hue, saturation and lightness offset that will serve as the base for your monochromatic icon pack or theme variant."))
self.color_picker = ngtk.HSLColorPicker()
mono.add(self.color_picker)
multi = ngtk.Page(self.pages, "Multichromatic", padding)
multi.add(ngtk.Label("Load a palette file containing a list of colors."))
self.palette = None
palette_desc = ngtk.Label("No palette chosen.")
palette_btn = Gtk.FileChooserButton(title="Choose palette file")
palette_btn.connect("file-set", self.on_custom_palette_set, palette_desc)
multi.add(palette_btn)
multi.add(ngtk.Label("Or load one of the premade color palettes."))
self.palette_picker = ngtk.ComboBoxFolder("palettes")
multi.add(self.palette_picker)
self.palette_picker.connect("changed", self.on_palette_set, palette_desc)
multi.add(palette_desc)
about = ngtk.Page(self.pages, "About", padding)
about.add(ngtk.Label("Color Manager is a program for recoloring existing svg-based icon packs as well as themes. The program is designed for <a href='https://github.com/NicklasVraa/NovaOS'>NovaOS</a>.\n\nCheck for updates on the project's <a href='https://github.com/NicklasVraa/Color-manager'>repository</a>."))
shared = Gtk.Box(orientation=Gtk.Orientation.VERTICAL, spacing=padding)
shared.set_border_width(padding)
content.add(shared)
self.files = ngtk.Files(padding)
shared.pack_start(self.files, True, True, 1)
self.progress_bar = Gtk.ProgressBar()
shared.add(self.progress_bar)
gen_area = Gtk.Box(spacing=padding)
gen_btn = Gtk.Button(label="Generate")
gen_btn.connect("clicked", self.on_generate)
gen_area.add(gen_btn)
self.status = ngtk.Label("")
gen_area.add(self.status)
shared.add(gen_area)
def on_custom_palette_set(self, btn, palette_desc):
self.palette = color_manager.load_palette(btn.get_filename())
palette_desc.set_text(self.palette["name"] + ": " + self.palette["desc"])
def on_palette_set(self, palette_picker, palette_desc):
self.palette = color_manager.load_palette(palette_picker.choice)
palette_desc.set_text(self.palette["name"] + ": " + self.palette["desc"])
def on_generate(self, btn):
if self.files.source is None:
self.status.set_text("Choose a source folder first")
return
if self.files.destination is None:
self.status.set_text("Choose a destination folder first")
return
if self.files.name is None:
self.status.set_text("Enter a name first")
return
current_page = self.pages.get_current_page()
if current_page == 0:
if self.color_picker.color is None:
self.status.set_text("Choose a base color")
return
else:
self.status.set_text("Generating " + self.files.name + " variant from " + basename(self.files.source) + "...")
try:
color_manager.monochrome_pack(self.files.source, self.files.destination, self.files.name, self.color_picker.color, self.progress_bar)
self.status.set_text("Success!")
except:
self.status.set_text("Error occurred")
elif current_page == 1:
if self.palette is None:
self.status.set_text("Choose a color palette file")
return
else:
self.status.set_text("Generating " + self.files.name + " variant from " + basename(self.files.source) + " and " + basename(self.palette["name"]) + "...")
try:
color_manager.multichrome_pack(self.files.source, self.files.destination, self.files.name, self.palette, self.progress_bar)
self.status.set_text("Success!")
except:
self.status.set_text("Error occurred")
win = Window()
win.connect("destroy", Gtk.main_quit)
win.show_all()
Gtk.main()