2022-12-01 18:29:15 +00:00
|
|
|
# css_parser.py
|
2022-10-10 19:52:45 +00:00
|
|
|
#
|
|
|
|
# Change the look of Adwaita, with ease
|
|
|
|
# Copyright (C) 2022 Gradience Team
|
|
|
|
#
|
|
|
|
# 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 <https://www.gnu.org/licenses/>.
|
|
|
|
|
2022-10-14 21:13:46 +00:00
|
|
|
import re
|
2022-10-13 15:58:01 +00:00
|
|
|
|
2022-09-13 17:00:16 +00:00
|
|
|
|
2022-10-14 21:13:46 +00:00
|
|
|
# Adwaita named palette colors dict
|
2022-09-13 17:00:16 +00:00
|
|
|
COLORS = [
|
|
|
|
"blue_",
|
|
|
|
"green_",
|
|
|
|
"yellow_",
|
|
|
|
"orange_",
|
|
|
|
"red_",
|
|
|
|
"purple_",
|
|
|
|
"brown_",
|
|
|
|
"light_",
|
|
|
|
"dark_",
|
|
|
|
]
|
|
|
|
|
2022-10-14 21:13:46 +00:00
|
|
|
# Regular expressions
|
|
|
|
define_color = re.compile(r"(@define-color .*[^\s])")
|
|
|
|
not_define_color = re.compile(r"(^(?:(?!@define-color).)*$)")
|
2022-10-13 15:58:01 +00:00
|
|
|
|
2022-10-14 21:13:46 +00:00
|
|
|
def parse_css(path):
|
2022-09-13 17:00:16 +00:00
|
|
|
css = ""
|
|
|
|
variables = {}
|
|
|
|
palette = {}
|
|
|
|
|
|
|
|
for color in COLORS:
|
|
|
|
palette[color] = {}
|
|
|
|
|
2022-10-14 21:13:46 +00:00
|
|
|
with open(path, "r", encoding="utf-8") as sheet:
|
|
|
|
for line in sheet:
|
|
|
|
cdefine_match = re.search(define_color, line)
|
|
|
|
not_cdefine_match = re.search(not_define_color, line)
|
|
|
|
if cdefine_match != None: # If @define-color variable declarations were found
|
|
|
|
palette_part = cdefine_match.__getitem__(1) # Get the second item of the re.Match object
|
|
|
|
name, color = palette_part.split(" ", 1)[1].split(" ", 1)
|
|
|
|
for color_name in COLORS:
|
|
|
|
if name.startswith(color_name): # Palette colors
|
|
|
|
palette[name[:-1]][name[-1:]] = color[:-1]
|
|
|
|
break
|
|
|
|
else: # Other color variables
|
2022-09-13 19:14:09 +00:00
|
|
|
variables[name] = color[:-1]
|
2022-10-14 21:13:46 +00:00
|
|
|
elif not_cdefine_match != None: # If CSS rules were found
|
|
|
|
css_part = not_cdefine_match.__getitem__(1)
|
|
|
|
css += f"{css_part}\n"
|
|
|
|
|
|
|
|
sheet.close()
|
|
|
|
return variables, palette, css
|