-
Notifications
You must be signed in to change notification settings - Fork 251
/
Copy path_core.py
348 lines (294 loc) · 11.2 KB
/
_core.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
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
# coding: utf-8
import itertools
import math
from handright._exceptions import *
from handright._template import *
from handright._util import *
# While changing following constants, it is necessary to consider to rewrite the
# relevant codes.
_INTERNAL_MODE = "1" # The mode for internal computation
_WHITE = 1
_BLACK = 0
_LF = "\n"
_CR = "\r"
_CRLF = "\r\n"
_UNSIGNED_INT32_TYPECODE = "L"
_MAX_INT16_VALUE = 0xFFFF
_STROKE_END = 0xFFFFFFFF
def handwrite(
text: str,
template: Union[Template, Sequence[Template]],
seed: Hashable = None,
mapper: Callable[[Callable, Iterable], Iterable] = map,
) -> Iterable[PIL.Image.Image]:
"""Handwrite `text` with the configurations in `template`, and return an
Iterable of Pillow's Images.
`template` could be a Template instance or a Sequence of Template
instances. If pass a Template Sequence, the inside Template instances will
be applied cyclically to the output pages.
`seed` could be used for reproducibility.
A different implementation of map built-in function (only accept one
Iterable though) could be passed to `mapper` to boost the page rendering
process, e.g. `multiprocessing.Pool.map`.
Throw BackgroundTooLargeError, if the width or height of `background` in
`template` exceeds 65,534.
Throw LayoutError, if the settings are conflicting, which makes it
impossible to layout the `text`.
"""
if isinstance(template, Template):
templates = (template,)
else:
templates = template
pages = _draft(text, templates, seed)
renderer = _Renderer(templates, seed)
return mapper(renderer, pages)
def _draft(text, templates, seed=None) -> Iterator[Page]:
text = _preprocess_text(text)
template_iter = itertools.cycle(templates)
num_iter = itertools.count()
rand = random.Random(x=seed)
start = 0
while start < len(text):
template = next(template_iter)
page = Page(_INTERNAL_MODE, template.get_size(), _BLACK, next(num_iter))
start = _draw_page(page, text, start, template, rand)
yield page
def _preprocess_text(text: str) -> str:
return text.replace(_CRLF, _LF).replace(_CR, _LF)
def _check_template(page, tpl) -> None:
if page.height() < (
tpl.get_top_margin() + tpl.get_line_spacing() + tpl.get_bottom_margin()
):
msg = "for (height < top_margin + line_spacing + bottom_margin)"
raise LayoutError(msg)
if tpl.get_font().size > tpl.get_line_spacing():
msg = "for (font.size > line_spacing)"
raise LayoutError(msg)
if page.width() < (
tpl.get_left_margin() + tpl.get_font().size + tpl.get_right_margin()
):
msg = "for (width < left_margin + font.size + right_margin)"
raise LayoutError(msg)
if tpl.get_word_spacing() <= -tpl.get_font().size // 2:
msg = "for (word_spacing <= -font.size // 2)"
raise LayoutError(msg)
def _draw_page(page, text, start: int, tpl: Template, rand: random.Random) -> int:
_check_template(page, tpl)
width = page.width()
height = page.height()
top_margin = tpl.get_top_margin()
bottom_margin = tpl.get_bottom_margin()
left_margin = tpl.get_left_margin()
right_margin = tpl.get_right_margin()
line_spacing = tpl.get_line_spacing()
font_size = tpl.get_font().size
start_chars = tpl.get_start_chars()
end_chars = tpl.get_end_chars()
draw = page.draw()
y = top_margin + line_spacing - font_size
while y <= height - bottom_margin - font_size:
x = left_margin
while True:
if text[start] == _LF:
start += 1
if start == len(text):
return start
break
if x > width - right_margin - 2 * font_size and text[start] in start_chars:
break
if x > width - right_margin - font_size and text[start] not in end_chars:
break
if Feature.GRID_LAYOUT in tpl.get_features():
x = _grid_layout(draw, x, y, text[start], tpl, rand)
else:
x = _flow_layout(draw, x, y, text[start], tpl, rand)
start += 1
if start == len(text):
return start
y += line_spacing
return start
def _flow_layout(draw, x, y, char, tpl: Template, rand: random.Random) -> float:
xy = (round(x), round(gauss(rand, y, tpl.get_line_spacing_sigma())))
font = _get_font(tpl, rand)
offset = _draw_char(draw, char, xy, font)
x += gauss(rand, tpl.get_word_spacing() + offset, tpl.get_word_spacing_sigma())
return x
def _grid_layout(draw, x, y, char, tpl: Template, rand: random.Random) -> float:
xy = (
round(gauss(rand, x, tpl.get_word_spacing_sigma())),
round(gauss(rand, y, tpl.get_line_spacing_sigma())),
)
font = _get_font(tpl, rand)
_ = _draw_char(draw, char, xy, font)
x += tpl.get_word_spacing() + tpl.get_font().size
return x
def _get_font(tpl: Template, rand: random.Random):
font = tpl.get_font()
actual_font_size = max(round(gauss(rand, font.size, tpl.get_font_size_sigma())), 0)
if actual_font_size != font.size:
return font.font_variant(size=actual_font_size)
return font
def _draw_char(draw, char: str, xy: Tuple[int, int], font) -> int:
"""Draws a single char with the parameters and white color, and returns the
offset."""
draw.text(xy, char, fill=_WHITE, font=font)
left, top, right, bottom = font.getbbox(char)
return right - left
class _Renderer(object):
"""A callable object rendering the foreground that was drawn text and
returning rendered image."""
__slots__ = (
"_templates",
"_rand",
"_hashed_seed",
)
def __init__(self, templates, seed=None) -> None:
self._templates = _to_picklable(templates)
self._rand = random.Random()
self._hashed_seed = None
if seed is not None:
self._hashed_seed = hash(seed)
def __call__(self, page) -> PIL.Image.Image:
if self._hashed_seed is None:
# avoid different processes sharing the same random state
self._rand.seed()
else:
self._rand.seed(a=self._hashed_seed + page.num)
return self._perturb_and_merge(page)
def _perturb_and_merge(self, page) -> PIL.Image.Image:
template = _get_template(self._templates, page.num)
canvas = template.get_background().copy()
bbox = page.image.getbbox()
if bbox is None:
return canvas
strokes = _extract_strokes(page.matrix(), bbox)
_draw_strokes(canvas.load(), strokes, template, self._rand)
return canvas
def _to_picklable(templates: Sequence[Template]) -> Sequence[Template]:
templates = copy_templates(templates)
for t in templates:
t.release_font_resource()
return templates
def _get_template(templates, index):
return templates[index % len(templates)]
def _extract_strokes(bitmap, bbox: Tuple[int, int, int, int]):
left, upper, right, lower = bbox
assert left >= 0 and upper >= 0
# reserve 0xFFFFFFFF as _STROKE_END
if right >= _MAX_INT16_VALUE or lower >= _MAX_INT16_VALUE:
msg = "the width or height of backgrounds can not exceed {}".format(
_MAX_INT16_VALUE - 1
)
raise BackgroundTooLargeError(msg)
strokes = NumericOrderedSet(_UNSIGNED_INT32_TYPECODE, privileged=_STROKE_END)
for y in range(upper, lower):
for x in range(left, right):
if bitmap[x, y] and strokes.add(_xy(x, y)):
_extract_stroke(bitmap, (x, y), strokes, bbox)
strokes.add_privileged()
return strokes
def _extract_stroke(
bitmap, start: Tuple[int, int], strokes, bbox: Tuple[int, int, int, int]
) -> None:
"""Helper function of _extract_strokes() which uses depth first search to
find the pixels of a glyph."""
left, upper, right, lower = bbox
stack = [
start,
]
while stack:
x, y = stack.pop()
if y - 1 >= upper and bitmap[x, y - 1] and strokes.add(_xy(x, y - 1)):
stack.append((x, y - 1))
if y + 1 < lower and bitmap[x, y + 1] and strokes.add(_xy(x, y + 1)):
stack.append((x, y + 1))
if x - 1 >= left and bitmap[x - 1, y] and strokes.add(_xy(x - 1, y)):
stack.append((x - 1, y))
if x + 1 < right and bitmap[x + 1, y] and strokes.add(_xy(x + 1, y)):
stack.append((x + 1, y))
def _draw_strokes(bitmap, strokes, tpl, rand) -> None:
stroke = []
min_x = _MAX_INT16_VALUE
min_y = _MAX_INT16_VALUE
max_x = 0
max_y = 0
for xy in strokes:
if xy == _STROKE_END:
center = ((min_x + max_x) / 2, (min_y + max_y) / 2)
_draw_stroke(bitmap, stroke, tpl, center, rand)
min_x = _MAX_INT16_VALUE
min_y = _MAX_INT16_VALUE
max_x = 0
max_y = 0
stroke.clear()
continue
x, y = _x_y(xy)
min_x = min(x, min_x)
max_x = max(x, max_x)
min_y = min(y, min_y)
max_y = max(y, max_y)
stroke.append((x, y))
def _draw_stroke(
bitmap,
stroke: Sequence[Tuple[int, int]],
tpl: Template,
center: Tuple[float, float],
rand,
) -> None:
dx = gauss(rand, 0, tpl.get_perturb_x_sigma())
dy = gauss(rand, 0, tpl.get_perturb_y_sigma())
theta = gauss(rand, 0, tpl.get_perturb_theta_sigma())
ink_depth_sigma = tpl.get_ink_depth_sigma()
original_fill = tpl.get_fill()
# 添加随机扰动
ink_depth_rand = gauss(rand, 0, ink_depth_sigma)
if isinstance(original_fill, int):
# 如果 original_fill 是一个整数
rand_fill = max(0, min(100, int(original_fill + ink_depth_rand)))
elif isinstance(original_fill, tuple):
if len(original_fill) == 3:
# 如果 original_fill 是一个三元组(假设是 RGB 值)
rand_fill = tuple(
max(0, min(255, int(channel + ink_depth_rand)))
for channel in original_fill
)
elif len(original_fill) == 4:
# 如果 original_fill 是一个四元组(假设是 RGBA 值)
# 保持 Alpha 通道不变
rand_fill = tuple(
(
max(0, min(255, int(channel + ink_depth_rand)))
if i < 3
else original_fill[3]
)
for i, channel in enumerate(original_fill)
)
# 打印结果以验证
# print('rand_fill', rand_fill)
for x, y in stroke:
new_x, new_y = _rotate(center, x, y, theta)
new_x = round(new_x + dx)
new_y = round(new_y + dy)
width, height = tpl.get_size()
if 0 <= new_x < width and 0 <= new_y < height:
bitmap[new_x, new_y] = rand_fill
def _rotate(
center: Tuple[float, float], x: float, y: float, theta: float
) -> Tuple[float, float]:
if theta == 0:
return x, y
new_x = (
(x - center[0]) * math.cos(theta)
+ (y - center[1]) * math.sin(theta)
+ center[0]
)
new_y = (
(y - center[1]) * math.cos(theta)
- (x - center[0]) * math.sin(theta)
+ center[1]
)
return new_x, new_y
def _xy(x: int, y: int) -> int:
return (x << 16) | y
def _x_y(xy: int) -> Tuple[int, int]:
return xy >> 16, xy & 0xFFFF