-
Notifications
You must be signed in to change notification settings - Fork 0
/
asset_packer.py
executable file
·192 lines (165 loc) · 6.57 KB
/
asset_packer.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
#!/usr/bin/env python
from PIL import Image, ImageOps
import heatshrink2
import pathlib
import shutil
import struct
import typing
import time
import re
import io
import os
def convert_bm(img: "Image.Image | pathlib.Path") -> bytes:
if not isinstance(img, Image.Image):
img = Image.open(img)
with io.BytesIO() as output:
img = img.convert("1")
img = ImageOps.invert(img)
img.save(output, format="XBM")
xbm = output.getvalue()
f = io.StringIO(xbm.decode().strip())
data = f.read().strip().replace("\n", "").replace(" ", "").split("=")[1][:-1]
data_str = data[1:-1].replace(",", " ").replace("0x", "")
data_bin = bytearray.fromhex(data_str)
data_encoded_str = heatshrink2.compress(data_bin, window_sz2=8, lookahead_sz2=4)
data_enc = bytearray(data_encoded_str)
data_enc = bytearray([len(data_enc) & 0xFF, len(data_enc) >> 8]) + data_enc
if len(data_enc) + 2 < len(data_bin) + 1:
return b"\x01\x00" + data_enc
else:
return b"\x00" + data_bin
def convert_bmx(img: "Image.Image | pathlib.Path") -> bytes:
if not isinstance(img, Image.Image):
img = Image.open(img)
data = struct.pack("<II", *img.size)
data += convert_bm(img)
return data
def pack_anim(src: pathlib.Path, dst: pathlib.Path):
if not (src / "meta.txt").is_file():
return
dst.mkdir(parents=True, exist_ok=True)
for frame in src.iterdir():
if not frame.is_file():
continue
if frame.name == "meta.txt":
shutil.copyfile(src / "meta.txt", dst / "meta.txt")
continue
elif frame.name.startswith("frame_"):
if frame.suffix == ".bm":
shutil.copyfile(frame, dst / frame.name)
elif frame.suffix == ".png":
(dst / frame.with_suffix(".bm").name).write_bytes(convert_bm(frame))
def pack_icon_animated(src: pathlib.Path, dst: pathlib.Path):
if not (src / "frame_rate").is_file():
return
dst.mkdir(parents=True, exist_ok=True)
frame_count = 0
frame_rate = None
size = None
for frame in src.iterdir():
if not frame.is_file():
continue
if frame.name == "frame_rate":
frame_rate = int((src / "frame_rate").read_text())
continue
elif frame.name.startswith("frame_"):
frame_count += 1
if not size:
size = Image.open(frame).size
(dst / frame.with_suffix(".bm").name).write_bytes(convert_bm(frame))
(dst / "meta").write_bytes(struct.pack("<IIII", *size, frame_rate, frame_count))
def pack_icon_static(src: pathlib.Path, dst: pathlib.Path):
dst.parent.mkdir(parents=True, exist_ok=True)
dst.with_suffix(".bmx").write_bytes(convert_bmx(src))
def pack_font(src: pathlib.Path, dst: pathlib.Path):
code = src.read_bytes().split(b' U8G2_FONT_SECTION("')[1].split(b'") =')[1].strip()
font = b""
for line in code.splitlines():
if line.count(b'"') == 2:
font += (
line[line.find(b'"') + 1 : line.rfind(b'"')]
.decode("unicode_escape")
.encode("latin_1")
)
dst.parent.mkdir(parents=True, exist_ok=True)
dst.with_suffix(".u8f").write_bytes(font)
def pack(
input: "str | pathlib.Path", output: "str | pathlib.Path", logger: typing.Callable
):
input = pathlib.Path(input)
output = pathlib.Path(output)
for source in input.iterdir():
if source == output:
continue
if not source.is_dir():
continue
logger(f"Pack: custom user pack '{source.name}'")
packed = output / source.name
if packed.exists():
try:
if packed.is_dir():
shutil.rmtree(packed, ignore_errors=True)
else:
packed.unlink()
except Exception:
pass
if (source / "Anims/manifest.txt").exists():
(packed / "Anims").mkdir(parents=True, exist_ok=True)
shutil.copyfile(
source / "Anims/manifest.txt", packed / "Anims/manifest.txt"
)
manifest = (source / "Anims/manifest.txt").read_bytes()
for anim in re.finditer(rb"Name: (.*)", manifest):
anim = (
anim.group(1)
.decode()
.replace("\\", "/")
.replace("/", os.sep)
.replace("\r", "\n")
.strip()
)
logger(f"Compile: anim for pack '{source.name}': {anim}")
pack_anim(source / "Anims" / anim, packed / "Anims" / anim)
if (source / "Icons").is_dir():
for icons in (source / "Icons").iterdir():
if not icons.is_dir() or icons.name.startswith("."):
continue
for icon in icons.iterdir():
if icon.name.startswith("."):
continue
if icon.is_dir():
logger(
f"Compile: icon for pack '{source.name}': {icons.name}/{icon.name}"
)
pack_icon_animated(
icon, packed / "Icons" / icons.name / icon.name
)
elif icon.is_file() and icon.suffix == ".png":
logger(
f"Compile: icon for pack '{source.name}': {icons.name}/{icon.name}"
)
pack_icon_static(
icon, packed / "Icons" / icons.name / icon.name
)
if (source / "Fonts").is_dir():
for font in (source / "Fonts").iterdir():
if (
not font.is_file()
or font.name.startswith(".")
or font.suffix != ".c"
):
continue
logger(f"Compile: font for pack '{source.name}': {font.name}")
pack_font(font, packed / "Fonts" / font.name)
if __name__ == "__main__":
input(
"This will look through all the subfolders next to this file and try to pack them\n"
"The resulting asset packs will be saved to 'asset_packs' in this folder\n"
"Press [Enter] if you wish to continue"
)
print()
here = pathlib.Path(__file__).absolute().parent
start = time.perf_counter()
pack(here, here / "asset_packs", logger=print)
end = time.perf_counter()
input(f"\nFinished in {round(end - start, 2)}s\n" "Press [Enter] to exit")