-
-
Notifications
You must be signed in to change notification settings - Fork 697
/
Copy pathinlines.py
1310 lines (1148 loc) · 52.2 KB
/
inlines.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
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
"""
weasyprint.layout.inline
------------------------
Line breaking and layout for inline-level boxes.
:copyright: Copyright 2011-2019 Simon Sapin and contributors, see AUTHORS.
:license: BSD, see LICENSE for details.
"""
import unicodedata
from ..css import computed_from_cascaded
from ..css.computed_values import ex_ratio, strut_layout
from ..formatting_structure import boxes
from ..text import can_break_text, split_first_line
from .absolute import AbsolutePlaceholder, absolute_layout
from .flex import flex_layout
from .float import avoid_collisions, float_layout
from .min_max import handle_min_max_height, handle_min_max_width
from .percentages import resolve_one_percentage, resolve_percentages
from .preferred import (
inline_min_content_width, shrink_to_fit, trailing_whitespace_size)
from .replaced import image_marker_layout
from .tables import find_in_flow_baseline, table_wrapper_width
def iter_line_boxes(context, box, position_y, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes,
first_letter_style):
"""Return an iterator of ``(line, resume_at)``.
``line`` is a laid-out LineBox with as much content as possible that
fits in the available width.
:param box: a non-laid-out :class:`LineBox`
:param position_y: vertical top position of the line box on the page
:param skip_stack: ``None`` to start at the beginning of ``linebox``,
or a ``resume_at`` value to continue just after an
already laid-out line.
:param containing_block: Containing block of the line box:
a :class:`BlockContainerBox`
:param device_size: ``(width, height)`` of the current page.
"""
resolve_percentages(box, containing_block)
if skip_stack is None:
# TODO: wrong, see https://github.com/Kozea/WeasyPrint/issues/679
resolve_one_percentage(box, 'text_indent', containing_block.width)
else:
box.text_indent = 0
while 1:
line, resume_at = get_next_linebox(
context, box, position_y, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes, first_letter_style)
if line:
position_y = line.position_y + line.height
if line is None:
return
yield line, resume_at
if resume_at is None:
return
skip_stack = resume_at
box.text_indent = 0
first_letter_style = None
def get_next_linebox(context, linebox, position_y, skip_stack,
containing_block, device_size, absolute_boxes,
fixed_boxes, first_letter_style):
"""Return ``(line, resume_at)``."""
skip_stack = skip_first_whitespace(linebox, skip_stack)
if skip_stack == 'continue':
return None, None
skip_stack = first_letter_to_box(linebox, skip_stack, first_letter_style)
linebox.width = inline_min_content_width(
context, linebox, skip_stack=skip_stack, first_line=True)
linebox.height, _ = strut_layout(linebox.style, context)
linebox.position_y = position_y
position_x, position_y, available_width = avoid_collisions(
context, linebox, containing_block, outer=False)
candidate_height = linebox.height
excluded_shapes = context.excluded_shapes[:]
while 1:
linebox.position_x = position_x
linebox.position_y = position_y
max_x = position_x + available_width
position_x += linebox.text_indent
line_placeholders = []
line_absolutes = []
line_fixed = []
waiting_floats = []
(line, resume_at, preserved_line_break, first_letter,
last_letter, float_width) = split_inline_box(
context, linebox, position_x, max_x, skip_stack, containing_block,
device_size, line_absolutes, line_fixed, line_placeholders,
waiting_floats, line_children=[])
if is_phantom_linebox(line) and not preserved_line_break:
line.height = 0
break
remove_last_whitespace(context, line)
new_position_x, _, new_available_width = avoid_collisions(
context, linebox, containing_block, outer=False)
# TODO: handle rtl
new_available_width -= float_width['right']
alignment_available_width = (
new_available_width + new_position_x - linebox.position_x)
offset_x = text_align(
context, line, alignment_available_width,
last=(resume_at is None or preserved_line_break))
bottom, top = line_box_verticality(line)
assert top is not None
assert bottom is not None
line.baseline = -top
line.position_y = top
line.height = bottom - top
offset_y = position_y - top
line.margin_top = 0
line.margin_bottom = 0
line.translate(offset_x, offset_y)
# Avoid floating point errors, as position_y - top + top != position_y
# Removing this line breaks the position == linebox.position test below
# See https://github.com/Kozea/WeasyPrint/issues/583
line.position_y = position_y
if line.height <= candidate_height:
break
candidate_height = line.height
new_excluded_shapes = context.excluded_shapes
context.excluded_shapes = excluded_shapes
position_x, position_y, available_width = avoid_collisions(
context, line, containing_block, outer=False)
if (position_x, position_y) == (
linebox.position_x, linebox.position_y):
context.excluded_shapes = new_excluded_shapes
break
absolute_boxes.extend(line_absolutes)
fixed_boxes.extend(line_fixed)
for placeholder in line_placeholders:
if placeholder.style['_weasy_specified_display'].startswith('inline'):
# Inline-level static position:
placeholder.translate(0, position_y - placeholder.position_y)
else:
# Block-level static position: at the start of the next line
placeholder.translate(
line.position_x - placeholder.position_x,
position_y + line.height - placeholder.position_y)
float_children = []
waiting_floats_y = line.position_y + line.height
for waiting_float in waiting_floats:
waiting_float.position_y = waiting_floats_y
waiting_float = float_layout(
context, waiting_float, containing_block, device_size,
absolute_boxes, fixed_boxes)
float_children.append(waiting_float)
if float_children:
line.children += tuple(float_children)
return line, resume_at
def skip_first_whitespace(box, skip_stack):
"""Return the ``skip_stack`` to start just after the remove spaces
at the beginning of the line.
See http://www.w3.org/TR/CSS21/text.html#white-space-model
"""
if skip_stack is None:
index = 0
next_skip_stack = None
else:
index, next_skip_stack = skip_stack
if isinstance(box, boxes.TextBox):
assert next_skip_stack is None
white_space = box.style['white_space']
length = len(box.text)
if index == length:
# Starting a the end of the TextBox, no text to see: Continue
return 'continue'
if white_space in ('normal', 'nowrap', 'pre-line'):
while index < length and box.text[index] == ' ':
index += 1
return (index, None) if index else None
if isinstance(box, (boxes.LineBox, boxes.InlineBox)):
if index == 0 and not box.children:
return None
result = skip_first_whitespace(box.children[index], next_skip_stack)
if result == 'continue':
index += 1
if index >= len(box.children):
return 'continue'
result = skip_first_whitespace(box.children[index], None)
return (index, result) if (index or result) else None
assert skip_stack is None, 'unexpected skip inside %s' % box
return None
def remove_last_whitespace(context, box):
"""Remove in place space characters at the end of a line.
This also reduces the width of the inline parents of the modified text.
"""
ancestors = []
while isinstance(box, (boxes.LineBox, boxes.InlineBox)):
ancestors.append(box)
if not box.children:
return
box = box.children[-1]
if not (isinstance(box, boxes.TextBox) and
box.style['white_space'] in ('normal', 'nowrap', 'pre-line')):
return
new_text = box.text.rstrip(' ')
if new_text:
if len(new_text) == len(box.text):
return
box.text = new_text
new_box, resume, _ = split_text_box(context, box, None, 0)
assert new_box is not None
assert resume is None
space_width = box.width - new_box.width
box.width = new_box.width
else:
space_width = box.width
box.width = 0
box.text = ''
for ancestor in ancestors:
ancestor.width -= space_width
# TODO: All tabs (U+0009) are rendered as a horizontal shift that
# lines up the start edge of the next glyph with the next tab stop.
# Tab stops occur at points that are multiples of 8 times the width
# of a space (U+0020) rendered in the block's font from the block's
# starting content edge.
# TODO: If spaces (U+0020) or tabs (U+0009) at the end of a line have
# 'white-space' set to 'pre-wrap', UAs may visually collapse them.
def first_letter_to_box(box, skip_stack, first_letter_style):
"""Create a box for the ::first-letter selector."""
if first_letter_style and box.children:
first_letter = ''
child = box.children[0]
if isinstance(child, boxes.TextBox):
letter_style = computed_from_cascaded(
cascaded={}, parent_style=first_letter_style, element=None)
if child.element_tag.endswith('::first-letter'):
letter_box = boxes.InlineBox(
'%s::first-letter' % box.element_tag, letter_style,
[child])
box.children = (
(letter_box,) + tuple(box.children[1:]))
elif child.text:
character_found = False
if skip_stack:
child_skip_stack = skip_stack[1]
if child_skip_stack:
index = child_skip_stack[0]
child.text = child.text[index:]
skip_stack = None
while child.text:
next_letter = child.text[0]
category = unicodedata.category(next_letter)
if category not in ('Ps', 'Pe', 'Pi', 'Pf', 'Po'):
if character_found:
break
character_found = True
first_letter += next_letter
child.text = child.text[1:]
if first_letter.lstrip('\n'):
# "This type of initial letter is similar to an
# inline-level element if its 'float' property is 'none',
# otherwise it is similar to a floated element."
if first_letter_style['float'] == 'none':
letter_box = boxes.InlineBox(
'%s::first-letter' % box.element_tag,
first_letter_style, [])
text_box = boxes.TextBox(
'%s::first-letter' % box.element_tag, letter_style,
first_letter)
letter_box.children = (text_box,)
box.children = (letter_box,) + tuple(box.children)
else:
letter_box = boxes.BlockBox(
'%s::first-letter' % box.element_tag,
first_letter_style, [])
letter_box.first_letter_style = None
line_box = boxes.LineBox(
'%s::first-letter' % box.element_tag, letter_style,
[])
letter_box.children = (line_box,)
text_box = boxes.TextBox(
'%s::first-letter' % box.element_tag, letter_style,
first_letter)
line_box.children = (text_box,)
box.children = (letter_box,) + tuple(box.children)
if skip_stack and child_skip_stack:
skip_stack = (skip_stack[0], (
child_skip_stack[0] + 1, child_skip_stack[1]))
elif isinstance(child, boxes.ParentBox):
if skip_stack:
child_skip_stack = skip_stack[1]
else:
child_skip_stack = None
child_skip_stack = first_letter_to_box(
child, child_skip_stack, first_letter_style)
if skip_stack:
skip_stack = (skip_stack[0], child_skip_stack)
return skip_stack
@handle_min_max_width
def replaced_box_width(box, device_size):
"""
Compute and set the used width for replaced boxes (inline- or block-level)
"""
intrinsic_width, intrinsic_height = box.replacement.get_intrinsic_size(
box.style['image_resolution'], box.style['font_size'])
# This algorithm simply follows the different points of the specification:
# http://www.w3.org/TR/CSS21/visudet.html#inline-replaced-width
if box.height == 'auto' and box.width == 'auto':
if intrinsic_width is not None:
# Point #1
box.width = intrinsic_width
elif box.replacement.intrinsic_ratio is not None:
if intrinsic_height is not None:
# Point #2 first part
box.width = intrinsic_height * box.replacement.intrinsic_ratio
else:
# Point #3
# " It is suggested that, if the containing block's width does
# not itself depend on the replaced element's width, then the
# used value of 'width' is calculated from the constraint
# equation used for block-level, non-replaced elements in
# normal flow. "
# Whaaaaat? Let's not do this and use a value that may work
# well at least with inline blocks.
box.width = (
box.style['font_size'] * box.replacement.intrinsic_ratio)
if box.width == 'auto':
if box.replacement.intrinsic_ratio is not None:
# Point #2 second part
box.width = box.height * box.replacement.intrinsic_ratio
elif intrinsic_width is not None:
# Point #4
box.width = intrinsic_width
else:
# Point #5
device_width, _device_height = device_size
box.width = min(300, device_width)
@handle_min_max_height
def replaced_box_height(box, device_size):
"""
Compute and set the used height for replaced boxes (inline- or block-level)
"""
# http://www.w3.org/TR/CSS21/visudet.html#inline-replaced-height
intrinsic_width, intrinsic_height = box.replacement.get_intrinsic_size(
box.style['image_resolution'], box.style['font_size'])
intrinsic_ratio = box.replacement.intrinsic_ratio
# Test 'auto' on the computed width, not the used width
if box.height == 'auto' and box.width == 'auto':
box.height = intrinsic_height
elif box.height == 'auto' and intrinsic_ratio:
box.height = box.width / intrinsic_ratio
if (box.height == 'auto' and box.width == 'auto' and
intrinsic_height is not None):
box.height = intrinsic_height
elif intrinsic_ratio is not None and box.height == 'auto':
box.height = box.width / intrinsic_ratio
elif box.height == 'auto' and intrinsic_height is not None:
box.height = intrinsic_height
elif box.height == 'auto':
device_width, _device_height = device_size
box.height = min(150, device_width / 2)
def inline_replaced_box_layout(box, device_size):
"""Lay out an inline :class:`boxes.ReplacedBox` ``box``."""
for side in ['top', 'right', 'bottom', 'left']:
if getattr(box, 'margin_' + side) == 'auto':
setattr(box, 'margin_' + side, 0)
inline_replaced_box_width_height(box, device_size)
def inline_replaced_box_width_height(box, device_size):
if box.style['width'] == 'auto' and box.style['height'] == 'auto':
replaced_box_width.without_min_max(box, device_size)
replaced_box_height.without_min_max(box, device_size)
min_max_auto_replaced(box)
else:
replaced_box_width(box, device_size)
replaced_box_height(box, device_size)
def min_max_auto_replaced(box):
"""Resolve {min,max}-{width,height} constraints on replaced elements
that have 'auto' width and heights.
"""
width = box.width
height = box.height
min_width = box.min_width
min_height = box.min_height
max_width = max(min_width, box.max_width)
max_height = max(min_height, box.max_height)
# (violation_width, violation_height)
violations = (
'min' if width < min_width else 'max' if width > max_width else '',
'min' if height < min_height else 'max' if height > max_height else '')
# Work around divisions by zero. These are pathological cases anyway.
# TODO: is there a cleaner way?
if width == 0:
width = 1e-6
if height == 0:
height = 1e-6
# ('', ''): nothing to do
if violations == ('max', ''):
box.width = max_width
box.height = max(max_width * height / width, min_height)
elif violations == ('min', ''):
box.width = min_width
box.height = min(min_width * height / width, max_height)
elif violations == ('', 'max'):
box.width = max(max_height * width / height, min_width)
box.height = max_height
elif violations == ('', 'min'):
box.width = min(min_height * width / height, max_width)
box.height = min_height
elif violations == ('max', 'max'):
if max_width / width <= max_height / height:
box.width = max_width
box.height = max(min_height, max_width * height / width)
else:
box.width = max(min_width, max_height * width / height)
box.height = max_height
elif violations == ('min', 'min'):
if min_width / width <= min_height / height:
box.width = min(max_width, min_height * width / height)
box.height = min_height
else:
box.width = min_width
box.height = min(max_height, min_width * height / width)
elif violations == ('min', 'max'):
box.width = min_width
box.height = max_height
elif violations == ('max', 'min'):
box.width = max_width
box.height = min_height
def atomic_box(context, box, position_x, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes):
"""Compute the width and the height of the atomic ``box``."""
if isinstance(box, boxes.ReplacedBox):
box = box.copy()
if getattr(box, 'is_list_marker', False):
image_marker_layout(box)
else:
inline_replaced_box_layout(box, device_size)
box.baseline = box.margin_height()
elif isinstance(box, boxes.InlineBlockBox):
if box.is_table_wrapper:
table_wrapper_width(
context, box,
(containing_block.width, containing_block.height))
box = inline_block_box_layout(
context, box, position_x, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes)
else: # pragma: no cover
raise TypeError('Layout for %s not handled yet' % type(box).__name__)
return box
def inline_block_box_layout(context, box, position_x, skip_stack,
containing_block, device_size, absolute_boxes,
fixed_boxes):
# Avoid a circular import
from .blocks import block_container_layout
resolve_percentages(box, containing_block)
# http://www.w3.org/TR/CSS21/visudet.html#inlineblock-width
if box.margin_left == 'auto':
box.margin_left = 0
if box.margin_right == 'auto':
box.margin_right = 0
# http://www.w3.org/TR/CSS21/visudet.html#block-root-margin
if box.margin_top == 'auto':
box.margin_top = 0
if box.margin_bottom == 'auto':
box.margin_bottom = 0
inline_block_width(box, context, containing_block)
box.position_x = position_x
box.position_y = 0
box, _, _, _, _ = block_container_layout(
context, box, max_position_y=float('inf'), skip_stack=skip_stack,
device_size=device_size, page_is_empty=True,
absolute_boxes=absolute_boxes, fixed_boxes=fixed_boxes)
box.baseline = inline_block_baseline(box)
return box
def inline_block_baseline(box):
"""
Return the y position of the baseline for an inline block
from the top of its margin box.
http://www.w3.org/TR/CSS21/visudet.html#propdef-vertical-align
"""
if box.is_table_wrapper:
# Inline table's baseline is its first row's baseline
for child in box.children:
if isinstance(child, boxes.TableBox):
if child.children and child.children[0].children:
first_row = child.children[0].children[0]
return first_row.baseline
elif box.style['overflow'] == 'visible':
result = find_in_flow_baseline(box, last=True)
if result:
return result
return box.position_y + box.margin_height()
@handle_min_max_width
def inline_block_width(box, context, containing_block):
if box.width == 'auto':
box.width = shrink_to_fit(context, box, containing_block.width)
def split_inline_level(context, box, position_x, max_x, skip_stack,
containing_block, device_size, absolute_boxes,
fixed_boxes, line_placeholders, waiting_floats,
line_children):
"""Fit as much content as possible from an inline-level box in a width.
Return ``(new_box, resume_at, preserved_line_break, first_letter,
last_letter)``. ``resume_at`` is ``None`` if all of the content
fits. Otherwise it can be passed as a ``skip_stack`` parameter to resume
where we left off.
``new_box`` is non-empty (unless the box is empty) and as big as possible
while being narrower than ``available_width``, if possible (may overflow
is no split is possible.)
"""
resolve_percentages(box, containing_block)
float_widths = {'left': 0, 'right': 0}
if isinstance(box, boxes.TextBox):
box.position_x = position_x
if skip_stack is None:
skip = 0
else:
skip, skip_stack = skip_stack
skip = skip or 0
assert skip_stack is None
new_box, skip, preserved_line_break = split_text_box(
context, box, max_x - position_x, skip)
if skip is None:
resume_at = None
else:
resume_at = (skip, None)
if box.text:
first_letter = box.text[0]
if skip is None:
last_letter = box.text[-1]
else:
last_letter = box.text[skip - 1]
else:
first_letter = last_letter = None
elif isinstance(box, boxes.InlineBox):
if box.margin_left == 'auto':
box.margin_left = 0
if box.margin_right == 'auto':
box.margin_right = 0
(new_box, resume_at, preserved_line_break, first_letter,
last_letter, float_widths) = split_inline_box(
context, box, position_x, max_x, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes, line_placeholders,
waiting_floats, line_children)
elif isinstance(box, boxes.AtomicInlineLevelBox):
new_box = atomic_box(
context, box, position_x, skip_stack, containing_block,
device_size, absolute_boxes, fixed_boxes)
new_box.position_x = position_x
resume_at = None
preserved_line_break = False
# See https://www.w3.org/TR/css-text-3/#line-breaking
# Atomic inlines behave like ideographic characters.
first_letter = '\u2e80'
last_letter = '\u2e80'
elif isinstance(box, boxes.InlineFlexBox):
box.position_x = position_x
box.position_y = 0
for side in ['top', 'right', 'bottom', 'left']:
if getattr(box, 'margin_' + side) == 'auto':
setattr(box, 'margin_' + side, 0)
new_box, resume_at, _, _, _ = flex_layout(
context, box, float('inf'), skip_stack, containing_block,
device_size, False, absolute_boxes, fixed_boxes)
preserved_line_break = False
first_letter = '\u2e80'
last_letter = '\u2e80'
else: # pragma: no cover
raise TypeError('Layout for %s not handled yet' % type(box).__name__)
return (
new_box, resume_at, preserved_line_break, first_letter, last_letter,
float_widths)
def split_inline_box(context, box, position_x, max_x, skip_stack,
containing_block, device_size, absolute_boxes,
fixed_boxes, line_placeholders, waiting_floats,
line_children):
"""Same behavior as split_inline_level."""
# In some cases (shrink-to-fit result being the preferred width)
# max_x is coming from Pango itself,
# but floating point errors have accumulated:
# width2 = (width + X) - X # in some cases, width2 < width
# Increase the value a bit to compensate and not introduce
# an unexpected line break. The 1e-9 value comes from PEP 485.
max_x *= 1 + 1e-9
is_start = skip_stack is None
initial_position_x = position_x
initial_skip_stack = skip_stack
assert isinstance(box, (boxes.LineBox, boxes.InlineBox))
left_spacing = (box.padding_left + box.margin_left +
box.border_left_width)
right_spacing = (box.padding_right + box.margin_right +
box.border_right_width)
content_box_left = position_x
children = []
waiting_children = []
preserved_line_break = False
first_letter = last_letter = None
float_widths = {'left': 0, 'right': 0}
float_resume_at = 0
if box.style['position'] == 'relative':
absolute_boxes = []
if is_start:
skip = 0
else:
skip, skip_stack = skip_stack
box_children = list(box.enumerate_skip(skip))
for i, (index, child) in enumerate(box_children):
child.position_y = box.position_y
if child.is_absolutely_positioned():
child.position_x = position_x
placeholder = AbsolutePlaceholder(child)
line_placeholders.append(placeholder)
waiting_children.append((index, placeholder))
if child.style['position'] == 'absolute':
absolute_boxes.append(placeholder)
else:
fixed_boxes.append(placeholder)
continue
elif child.is_floated():
child.position_x = position_x
float_width = shrink_to_fit(
context, child, containing_block.width)
# To retrieve the real available space for floats, we must remove
# the trailing whitespaces from the line
non_floating_children = [
child_ for _, child_ in (children + waiting_children)
if not child_.is_floated()]
if non_floating_children:
float_width -= trailing_whitespace_size(
context, non_floating_children[-1])
if float_width > max_x - position_x or waiting_floats:
# TODO: the absolute and fixed boxes in the floats must be
# added here, and not in iter_line_boxes
waiting_floats.append(child)
else:
child = float_layout(
context, child, containing_block, device_size,
absolute_boxes, fixed_boxes)
waiting_children.append((index, child))
# Translate previous line children
dx = max(child.margin_width(), 0)
float_widths[child.style['float']] += dx
if child.style['float'] == 'left':
if isinstance(box, boxes.LineBox):
# The parent is the line, update the current position
# for the next child. When the parent is not the line
# (it is an inline block), the current position of the
# line is updated by the box itself (see next
# split_inline_level call).
position_x += dx
elif child.style['float'] == 'right':
# Update the maximum x position for the next children
max_x -= dx
for _, old_child in line_children:
if not old_child.is_in_normal_flow():
continue
if ((child.style['float'] == 'left' and
box.style['direction'] == 'ltr') or
(child.style['float'] == 'right' and
box.style['direction'] == 'rtl')):
old_child.translate(dx=dx)
float_resume_at = index + 1
continue
last_child = (i == len(box_children) - 1)
available_width = max_x
child_waiting_floats = []
new_child, resume_at, preserved, first, last, new_float_widths = (
split_inline_level(
context, child, position_x, available_width, skip_stack,
containing_block, device_size, absolute_boxes, fixed_boxes,
line_placeholders, child_waiting_floats, line_children))
if last_child and right_spacing and resume_at is None:
# TODO: we should take care of children added into absolute_boxes,
# fixed_boxes and other lists.
if box.style['direction'] == 'rtl':
available_width -= left_spacing
else:
available_width -= right_spacing
new_child, resume_at, preserved, first, last, new_float_widths = (
split_inline_level(
context, child, position_x, available_width, skip_stack,
containing_block, device_size, absolute_boxes, fixed_boxes,
line_placeholders, child_waiting_floats, line_children))
if box.style['direction'] == 'rtl':
max_x -= new_float_widths['left']
else:
max_x -= new_float_widths['right']
skip_stack = None
if preserved:
preserved_line_break = True
can_break = None
if last_letter is True:
last_letter = ' '
elif last_letter is False:
last_letter = ' ' # no-break space
elif box.style['white_space'] in ('pre', 'nowrap'):
can_break = False
if can_break is None:
if None in (last_letter, first):
can_break = False
else:
can_break = can_break_text(
last_letter + first, child.style['lang'])
if can_break:
children.extend(waiting_children)
waiting_children = []
if first_letter is None:
first_letter = first
if child.trailing_collapsible_space:
last_letter = True
else:
last_letter = last
if new_child is None:
# May be None where we have an empty TextBox.
assert isinstance(child, boxes.TextBox)
else:
if isinstance(box, boxes.LineBox):
line_children.append((index, new_child))
# TODO: we should try to find a better condition here.
trailing_whitespace = (
isinstance(new_child, boxes.TextBox) and
not new_child.text.strip())
margin_width = new_child.margin_width()
new_position_x = new_child.position_x + margin_width
if new_position_x > max_x and not trailing_whitespace:
if waiting_children:
# Too wide, let's try to cut inside waiting children,
# starting from the end.
# TODO: we should take care of children added into
# absolute_boxes, fixed_boxes and other lists.
waiting_children_copy = waiting_children[:]
break_found = False
while waiting_children_copy:
child_index, child = waiting_children_copy.pop()
# TODO: should we also accept relative children?
if (child.is_in_normal_flow() and
can_break_inside(child)):
# We break the waiting child at its last possible
# breaking point.
# TODO: The dirty solution chosen here is to
# decrease the actual size by 1 and render the
# waiting child again with this constraint. We may
# find a better way.
max_x = child.position_x + child.margin_width() - 1
child_new_child, child_resume_at, _, _, _, _ = (
split_inline_level(
context, child, child.position_x, max_x,
None, box, device_size,
absolute_boxes, fixed_boxes,
line_placeholders, waiting_floats,
line_children))
# As PangoLayout and PangoLogAttr don't always
# agree, we have to rely on the actual split to
# know whether the child was broken.
# https://github.com/Kozea/WeasyPrint/issues/614
break_found = child_resume_at is not None
if child_resume_at is None:
# PangoLayout decided not to break the child
child_resume_at = (0, None)
# TODO: use this when Pango is always 1.40.13+:
# break_found = True
children = children + waiting_children_copy
if child_new_child is None:
# May be None where we have an empty TextBox.
assert isinstance(child, boxes.TextBox)
else:
children += [(child_index, child_new_child)]
# We have to check whether the child we're breaking
# is the one broken by the initial skip stack.
broken_child = same_broken_child(
initial_skip_stack,
(child_index, child_resume_at))
if broken_child:
# As this child has already been broken
# following the original skip stack, we have to
# add the original skip stack to the partial
# skip stack we get after the new rendering.
# We have to do:
# child_resume_at += initial_skip_stack[1]
# but adding skip stacks is a bit complicated
current_skip_stack = initial_skip_stack[1]
current_resume_at = child_resume_at
stack = []
while current_skip_stack and current_resume_at:
skip_stack, current_skip_stack = (
current_skip_stack)
resume_at, current_resume_at = (
current_resume_at)
stack.append(skip_stack + resume_at)
child_resume_at = (
current_skip_stack or current_resume_at)
while stack:
child_resume_at = (
stack.pop(), child_resume_at)
resume_at = (child_index, child_resume_at)
break
if break_found:
break
if children:
# Too wide, can't break waiting children and the inline is
# non-empty: put child entirely on the next line.
resume_at = (children[-1][0] + 1, None)
child_waiting_floats = []
break
position_x = new_position_x
waiting_children.append((index, new_child))
waiting_floats.extend(child_waiting_floats)
if resume_at is not None:
children.extend(waiting_children)
resume_at = (index, resume_at)
break
else:
children.extend(waiting_children)
resume_at = None
is_end = resume_at is None
new_box = box.copy_with_children(
[box_child for index, box_child in children],
is_start=is_start, is_end=is_end)
if isinstance(box, boxes.LineBox):
# We must reset line box width according to its new children
in_flow_children = [
box_child for box_child in new_box.children
if box_child.is_in_normal_flow()]
if in_flow_children:
new_box.width = (
in_flow_children[-1].position_x +
in_flow_children[-1].margin_width() -
new_box.position_x)
else:
new_box.width = 0
else:
new_box.position_x = initial_position_x
if box.style['box_decoration_break'] == 'clone':
translation_needed = True
else:
translation_needed = (
is_start if box.style['direction'] == 'ltr' else is_end)
if translation_needed:
for child in new_box.children:
child.translate(dx=left_spacing)
new_box.width = position_x - content_box_left
new_box.translate(dx=float_widths['left'], ignore_floats=True)
line_height, new_box.baseline = strut_layout(box.style, context)
new_box.height = box.style['font_size']
half_leading = (line_height - new_box.height) / 2.
# Set margins to the half leading but also compensate for borders and
# paddings. We want margin_height() == line_height
new_box.margin_top = (half_leading - new_box.border_top_width -
new_box.padding_top)
new_box.margin_bottom = (half_leading - new_box.border_bottom_width -
new_box.padding_bottom)
if new_box.style['position'] == 'relative':
for absolute_box in absolute_boxes:
absolute_layout(context, absolute_box, new_box, fixed_boxes)
if resume_at is not None:
if resume_at[0] < float_resume_at:
resume_at = (float_resume_at, None)
return (
new_box, resume_at, preserved_line_break, first_letter, last_letter,
float_widths)
def split_text_box(context, box, available_width, skip):
"""Keep as much text as possible from a TextBox in a limited width.
Try not to overflow but always have some text in ``new_box``
Return ``(new_box, skip, preserved_line_break)``. ``skip`` is the number of
UTF-8 bytes to skip form the start of the TextBox for the next line, or
``None`` if all of the text fits.
Also break on preserved line breaks.
"""
assert isinstance(box, boxes.TextBox)
font_size = box.style['font_size']
text = box.text[skip:]
if font_size == 0 or not text:
return None, None, False
layout, length, resume_at, width, height, baseline = split_first_line(
text, box.style, context, available_width, box.justification_spacing)
assert resume_at != 0
# Convert ``length`` and ``resume_at`` from UTF-8 indexes in text
# to Unicode indexes.
# No need to encode what’s after resume_at (if set) or length (if
# resume_at is not set). One code point is one or more byte, so
# UTF-8 indexes are always bigger or equal to Unicode indexes.
new_text = layout.text
encoded = text.encode('utf8')
if resume_at is not None:
between = encoded[length:resume_at].decode('utf8')
resume_at = len(encoded[:resume_at].decode('utf8'))
length = len(encoded[:length].decode('utf8'))
if length > 0:
box = box.copy_with_text(new_text)
box.width = width