-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathwrapping.go
1219 lines (1132 loc) · 40.3 KB
/
wrapping.go
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
package shaping
import (
"sort"
"github.com/go-text/typesetting/di"
"github.com/go-text/typesetting/segmenter"
"golang.org/x/image/math/fixed"
)
// glyphIndex is the index in a Glyph slice
type glyphIndex = int
// mapRunesToClusterIndices
// returns a slice that maps rune indicies in the text to the index of the
// first glyph in the glyph cluster containing that rune in the shaped text.
// The indicies are relative to the region of runes covered by the input run.
// To translate an absolute rune index in text into a rune index into the returned
// mapping, subtract run.Runes.Offset first. If the provided buf is large enough to
// hold the return value, it will be used instead of allocating a new slice.
func mapRunesToClusterIndices(dir di.Direction, runes Range, glyphs []Glyph, buf []glyphIndex) []glyphIndex {
if runes.Count <= 0 {
return nil
}
var mapping []glyphIndex
if cap(buf) >= runes.Count {
mapping = buf[:runes.Count]
} else {
mapping = make([]glyphIndex, runes.Count)
}
glyphCursor := 0
rtl := dir.Progression() == di.TowardTopLeft
if rtl {
glyphCursor = len(glyphs) - 1
}
// off tracks the offset position of the glyphs from the first rune of the
// shaped text. This must be subtracted from all cluster indicies in order to
// normalize them into the range [0,runes.Count).
off := runes.Offset
for i := 0; i < runes.Count; i++ {
for glyphCursor >= 0 && glyphCursor < len(glyphs) &&
((rtl && glyphs[glyphCursor].ClusterIndex-off <= i) ||
(!rtl && glyphs[glyphCursor].ClusterIndex-off < i)) {
if rtl {
glyphCursor--
} else {
glyphCursor++
}
}
if rtl {
glyphCursor++
} else if (glyphCursor >= 0 && glyphCursor < len(glyphs) &&
glyphs[glyphCursor].ClusterIndex-off > i) ||
(glyphCursor == len(glyphs) && len(glyphs) > 1) {
glyphCursor--
targetClusterIndex := glyphs[glyphCursor].ClusterIndex - off
for glyphCursor-1 >= 0 && glyphs[glyphCursor-1].ClusterIndex-off == targetClusterIndex {
glyphCursor--
}
}
if glyphCursor < 0 {
glyphCursor = 0
} else if glyphCursor >= len(glyphs) {
glyphCursor = len(glyphs) - 1
}
mapping[i] = glyphCursor
}
return mapping
}
// mapRuneToClusterIndex finds the lowest-index glyph for the glyph cluster contiaining the rune
// at runeIdx in the source text. It uses a binary search of the glyphs in order to achieve this.
// It is equivalent to using mapRunesToClusterIndices on only a single rune index, and is thus
// more efficient for single lookups while being less efficient for runs which require many
// lookups anyway.
func mapRuneToClusterIndex(dir di.Direction, runes Range, glyphs []Glyph, runeIdx int) glyphIndex {
var index int
rtl := dir.Progression() == di.TowardTopLeft
if !rtl {
index = sort.Search(len(glyphs), func(index int) bool {
return glyphs[index].ClusterIndex-runes.Offset > runeIdx
})
} else {
index = sort.Search(len(glyphs), func(index int) bool {
return glyphs[index].ClusterIndex-runes.Offset < runeIdx
})
}
if index < 1 {
return 0
}
cluster := glyphs[index-1].ClusterIndex
if rtl && cluster-runes.Offset > runeIdx {
return index
}
for index-1 >= 0 && glyphs[index-1].ClusterIndex == cluster {
index--
}
return index
}
func mapRunesToClusterIndices2(dir di.Direction, runes Range, glyphs []Glyph, buf []glyphIndex) []glyphIndex {
if runes.Count <= 0 {
return nil
}
var mapping []glyphIndex
if cap(buf) >= runes.Count {
mapping = buf[:runes.Count]
} else {
mapping = make([]glyphIndex, runes.Count)
}
rtl := dir.Progression() == di.TowardTopLeft
if rtl {
for gIdx := len(glyphs) - 1; gIdx >= 0; gIdx-- {
cluster := glyphs[gIdx].ClusterIndex
clusterEnd := gIdx
for gIdx-1 >= 0 && glyphs[gIdx-1].ClusterIndex == cluster {
gIdx--
clusterEnd = gIdx
}
var nextCluster int
if gIdx-1 >= 0 {
nextCluster = glyphs[gIdx-1].ClusterIndex
} else {
nextCluster = runes.Count + runes.Offset
}
runesInCluster := nextCluster - cluster
clusterOffset := cluster - runes.Offset
for i := clusterOffset; i <= runesInCluster+clusterOffset && i < len(mapping); i++ {
mapping[i] = clusterEnd
}
}
} else {
for gIdx := 0; gIdx < len(glyphs); gIdx++ {
cluster := glyphs[gIdx].ClusterIndex
clusterStart := gIdx
for gIdx+1 < len(glyphs) && glyphs[gIdx+1].ClusterIndex == cluster {
gIdx++
}
var nextCluster int
if gIdx+1 < len(glyphs) {
nextCluster = glyphs[gIdx+1].ClusterIndex
} else {
nextCluster = runes.Count + runes.Offset
}
runesInCluster := nextCluster - cluster
clusterOffset := cluster - runes.Offset
for i := clusterOffset; i <= runesInCluster+clusterOffset && i < len(mapping); i++ {
mapping[i] = clusterStart
}
}
}
return mapping
}
func mapRunesToClusterIndices3(dir di.Direction, runes Range, glyphs []Glyph, buf []glyphIndex) []glyphIndex {
if runes.Count <= 0 {
return nil
}
var mapping []glyphIndex
if cap(buf) >= runes.Count {
mapping = buf[:runes.Count]
} else {
mapping = make([]glyphIndex, runes.Count)
}
rtl := dir.Progression() == di.TowardTopLeft
if rtl {
for gIdx := len(glyphs) - 1; gIdx >= 0; {
glyph := &glyphs[gIdx]
// go to the start of the cluster
gIdx -= (glyph.GlyphCount - 1)
clusterStart := glyph.ClusterIndex - runes.Offset // map back to [0;runes.Count[
clusterEnd := glyph.RuneCount + clusterStart
for i := clusterStart; i <= clusterEnd && i < len(mapping); i++ {
mapping[i] = gIdx
}
// go to the next cluster
gIdx--
}
} else {
for gIdx := 0; gIdx < len(glyphs); {
glyph := &glyphs[gIdx]
clusterStart := glyph.ClusterIndex - runes.Offset // map back to [0;runes.Count[
clusterEnd := glyph.RuneCount + clusterStart
for i := clusterStart; i <= clusterEnd && i < len(mapping); i++ {
mapping[i] = gIdx
}
// go to the next cluster
gIdx += glyph.GlyphCount
}
}
return mapping
}
// inclusiveGlyphRange returns the inclusive range of runes and glyphs matching
// the provided start and breakAfter rune positions.
// runeToGlyph must be a valid mapping from the rune representation to the
// glyph reprsentation produced by mapRunesToClusterIndices.
// numGlyphs is the number of glyphs in the output representing the runes
// under consideration.
func inclusiveGlyphRange(dir di.Direction, start, breakAfter int, runeToGlyph []int, numGlyphs int) (glyphStart, glyphEnd glyphIndex) {
rtl := dir.Progression() == di.TowardTopLeft
if rtl {
glyphStart = runeToGlyph[breakAfter]
if start-1 >= 0 {
glyphEnd = runeToGlyph[start-1] - 1
} else {
glyphEnd = numGlyphs - 1
}
} else {
glyphStart = runeToGlyph[start]
if breakAfter+1 < len(runeToGlyph) {
glyphEnd = runeToGlyph[breakAfter+1] - 1
} else {
glyphEnd = numGlyphs - 1
}
}
return
}
// cutRun returns the sub-run of run containing glyphs corresponding to the provided
// _inclusive_ rune range.
// if [trimStart] is true, the leading letter spacing is removed
func cutRun(run Output, mapping []glyphIndex, startRune, endRune int, trimStart bool) Output {
// Convert the rune range of interest into an inclusive range within the
// current run's runes.
runeStart := startRune - run.Runes.Offset
runeEnd := endRune - run.Runes.Offset
if runeStart < 0 {
// If the start location is prior to the run of shaped text under consideration,
// just work from the beginning of this run.
runeStart = 0
}
if runeEnd >= len(mapping) {
// If the break location is after the entire run of shaped text,
// keep through the end of the run.
runeEnd = len(mapping) - 1
}
glyphStart, glyphEnd := inclusiveGlyphRange(run.Direction, runeStart, runeEnd, mapping, len(run.Glyphs))
// Construct a run out of the inclusive glyph range.
run.Glyphs = run.Glyphs[glyphStart : glyphEnd+1]
run.Runes.Count = runeEnd - runeStart + 1
run.Runes.Offset = run.Runes.Offset + runeStart
if trimStart {
run.trimStartLetterSpacing()
}
run.RecomputeAdvance()
return run
}
// breakOption represets a location within the rune slice at which
// it may be safe to break a line of text.
type breakOption struct {
// breakAtRune is the index at which it is safe to break.
breakAtRune int
// required indicates that the break option is mandatory.
required bool
}
// isValid returns whether a given option violates shaping rules (like breaking
// a shaped text cluster).
func (option breakOption) isValid(runeToGlyph []int, out Output) bool {
breakAfter := option.breakAtRune - out.Runes.Offset
nextRune := breakAfter + 1
if nextRune < len(runeToGlyph) && breakAfter >= 0 {
// Check if this break is valid.
gIdx := runeToGlyph[breakAfter]
g2Idx := runeToGlyph[nextRune]
if gIdx >= len(out.Glyphs) || g2Idx >= len(out.Glyphs) {
return false
}
cIdx := out.Glyphs[gIdx].ClusterIndex
c2Idx := out.Glyphs[g2Idx].ClusterIndex
if cIdx == c2Idx {
// This break is within a harfbuzz cluster, and is
// therefore invalid.
return false
}
}
return true
}
// breaker generates line breaking candidates for a text.
type breaker struct {
wordSegmenter *segmenter.LineIterator
graphemeSegmenter *segmenter.GraphemeIterator
totalRunes int
// unusedWordBreak is a break requested from the breaker in a previous iteration
// but which was not chosen as the line ending. Subsequent invocations of
// WrapLine should start with this break.
unusedWordBreak breakOption
// previousWordBreak tracks the previous line breaking candidate, if any. It is
// used to identify the range of runes between the previous and current
// candidate.
previousWordBreak breakOption
// isUnusedWord indicates that the unusedBreak field is valid.
isUnusedWord bool
unusedGraphemeBreak breakOption
isUnusedGrapheme bool
}
// newBreaker returns a breaker initialized to break the provided text.
func newBreaker(seg *segmenter.Segmenter, text []rune) *breaker {
seg.Init(text)
br := &breaker{
wordSegmenter: seg.LineIterator(),
graphemeSegmenter: seg.GraphemeIterator(),
totalRunes: len(text),
}
return br
}
// nextWordRaw returns a naive break candidate on a uax#14 boundary which may be invalid.
func (b *breaker) nextWordRaw() (option breakOption, ok bool) {
if b.wordSegmenter.Next() {
currentSegment := b.wordSegmenter.Line()
// Note : we dont use penalties for Mandatory Breaks so far,
// we could add it with currentSegment.IsMandatoryBreak
breakAtRune := currentSegment.Offset + len(currentSegment.Text) - 1
option := breakOption{
breakAtRune: breakAtRune,
// Don't treat the EOF line break as special. We implicitly always break after
// the end of text input anyway.
required: currentSegment.IsMandatoryBreak && breakAtRune != b.totalRunes-1,
}
return option, true
}
// Unicode rules impose to always break at the end
return breakOption{}, false
}
// nextGraphemeRaw returns a naive break candidate on a uax#29 boundary which may be invalid.
func (b *breaker) nextGraphemeRaw() (option breakOption, ok bool) {
if b.graphemeSegmenter.Next() {
currentSegment := b.graphemeSegmenter.Grapheme()
// Note : we dont use penalties for Mandatory Breaks so far,
// we could add it with currentSegment.IsMandatoryBreak
option := breakOption{
breakAtRune: currentSegment.Offset + len(currentSegment.Text) - 1,
}
return option, true
}
// Unicode rules impose to always break at the end
return breakOption{}, false
}
// nextWordBreak returns the next rune offset at which the line can be broken
// on a UAX#14 boundary if any. If it returns false, there are no more candidates.
func (l *breaker) nextWordBreak() (breakOption, bool) {
var option breakOption
if l.isUnusedWord {
option = l.unusedWordBreak
l.isUnusedWord = false
} else {
var breakOk bool
option, breakOk = l.nextWordRaw()
if !breakOk {
return option, false
}
l.previousWordBreak = l.unusedWordBreak
l.unusedWordBreak = option
}
return option, true
}
func (l *breaker) markWordOptionUnused() {
l.isUnusedWord = true
}
// nextGraphemeBreak returns the next grapheme cluster boundary break between
// the previous and current word boundary, if any. If it returns false, there are no
// more candidates between the previous and current word boundaries.
func (l *breaker) nextGraphemeBreak() (breakOption, bool) {
for {
var (
option breakOption
breakOk bool
)
if l.isUnusedGrapheme {
l.isUnusedGrapheme = false
option = l.unusedGraphemeBreak
breakOk = true
} else {
option, breakOk = l.nextGraphemeRaw()
}
if !breakOk {
return option, false
}
// We don't want to consider the previous word break position in general, as it has already
// been tried. The one exception to this is when we're iterating the very first time, in
// which case the previousWordBreak will have its zero value and we still want to consider
// breaking after the first rune if there's a grapheme cluseter boundary there.
if option.breakAtRune <= l.previousWordBreak.breakAtRune && l.previousWordBreak.breakAtRune > 0 {
continue
}
l.unusedGraphemeBreak = option
if option.breakAtRune > l.unusedWordBreak.breakAtRune {
// We've walked the grapheme iterator past the end of the line wrapping
// candidate, so mark that we may need to re-check this break option
// when evaluating the next segment.
l.isUnusedGrapheme = true
return option, false
}
return option, true
}
}
func (l *breaker) markGraphemeOptionUnused() {
l.isUnusedGrapheme = true
}
// Range indicates the location of a sequence of elements within a longer slice.
type Range struct {
Offset int
Count int
}
// Line holds runs of shaped text wrapped onto a single line. All the contained
// Output should be displayed sequentially on one line.
type Line []Output
// WrapConfig provides line-wrapper settings.
type WrapConfig struct {
// Direction describes the text layout of the overall paragraph, rather than
// individual runs of text. This is used to compute the correct visual order of
// bidirectional text runs.
Direction di.Direction
// TruncateAfterLines is the number of lines of text to allow before truncating
// the text. A value of zero means no limit.
TruncateAfterLines int
// Truncator, if provided, will be inserted at the end of a truncated line. This
// feature is only active if TruncateAfterLines is nonzero. See the documentation
// for [LineWrapper.WrapNextLine] for details about how this works.
Truncator Output
// TextContinues indicates that the paragraph wrapped by this config is not the
// final paragraph in the text. This alters text truncation when filling the
// final line permitted by TruncateAfterLines. If the text of this paragraph
// does fit entirely on TruncateAfterLines, normally the truncator symbol would
// not be inserted. However, if the overall body of text continues beyond this
// paragraph (indicated by TextContinues), the truncator should still be inserted
// to indicate that further paragraphs of text were truncated. This field has
// no effect if TruncateAfterLines is zero.
TextContinues bool
// BreakPolicy determines under what circumstances the wrapper will consider
// breaking in between UAX#14 line breaking candidates, or "within words" in
// many scripts.
BreakPolicy LineBreakPolicy
// DisableTrailingWhitespaceTrim turns off a feature that automatically sets the
// advance of trailing whitespace on a line to zero. In display contexts, you
// usually want this feature enabled, but for text editors it is frequently
// desirable to allow trailing whitespace to occupy space itself.
DisableTrailingWhitespaceTrim bool
}
// LineBreakPolicy specifies when considering a line break within a "word" or UAX#14
// segment is allowed.
type LineBreakPolicy uint8
const (
// WhenNecessary means that lines will only be broken within words when the word
// cannot fit on the next line by itself or during truncation to preserve as much
// of the final word as possible.
WhenNecessary LineBreakPolicy = iota
// Never means that words will never be broken internally, allowing them to exceed
// the specified maxWidth.
Never
// Always means that lines will always choose to break within words if it means that
// more text can fit on the line.
Always
)
func (l LineBreakPolicy) String() string {
switch l {
case WhenNecessary:
return "WhenNecessary"
case Never:
return "Never"
case Always:
return "Always"
default:
return "unknown"
}
}
// WithTruncator returns a copy of WrapConfig with the Truncator field set to the
// result of shaping input with shaper.
func (w WrapConfig) WithTruncator(shaper Shaper, input Input) WrapConfig {
w.Truncator = shaper.Shape(input)
return w
}
// runMapper efficiently maps a run to glyph clusters.
type runMapper struct {
// valid indicates that the mapping field is populated.
valid bool
// runIdx is the index of the mapped run within glyphRuns.
runIdx int
// mapping holds the rune->glyph mapping for the run at index mappedRun within
// glyphRuns.
mapping []glyphIndex
}
// mapRun updates the mapping field to be valid for the given run. It will skip the mapping
// operation if the provided runIdx is equal to the runIdx of the previous call, as the
// current mapping value is already correct.
func (r *runMapper) mapRun(runIdx int, run Output) {
if r.runIdx != runIdx || !r.valid {
r.mapping = mapRunesToClusterIndices3(run.Direction, run.Runes, run.Glyphs, r.mapping)
r.runIdx = runIdx
r.valid = true
}
}
// RunIterator defines a type that can incrementally provide shaped text.
type RunIterator interface {
// Next returns the next run in the iterator, if any. If there is a next run,
// its index, content, and true will be returned, and the iterator will advance
// to the following element. Otherwise Next returns an undefined index, an empty
// Output, and false.
Next() (index int, run Output, isValid bool)
// Peek returns the same thing Next() would, but does not advance the iterator (so the
// next call to Next() will return the same thing).
Peek() (index int, run Output, isValid bool)
// Save marks the current iterator position such that the iterator can return to it later
// when Restore() is called. Only one position may be saved at a time, with subsequent
// calls to Save() overriding the current value.
Save()
// Restore resets the iteration state to the most recently Save()-ed position.
Restore()
}
// shapedRunSlice is a [RunIterator] built from already-shaped text.
type shapedRunSlice struct {
runs []Output
idx int
savedIdx int
}
var _ RunIterator = (*shapedRunSlice)(nil)
// NewSliceIterator returns a [RunIterator] backed by an already-shaped slice of [Output]s.
func NewSliceIterator(outs []Output) RunIterator {
return &shapedRunSlice{
runs: outs,
}
}
// Reset configures the runSlice for reuse with the given shaped text.
func (r *shapedRunSlice) Reset(outs []Output) {
r.runs = outs
r.idx = 0
r.savedIdx = 0
}
// Next implements [RunIterator.Next].
func (r *shapedRunSlice) Next() (int, Output, bool) {
idx, run, ok := r.Peek()
if ok {
r.idx++
}
return idx, run, ok
}
// Peek implements [RunIterator.Peek].
func (r *shapedRunSlice) Peek() (int, Output, bool) {
if r.idx >= len(r.runs) {
return r.idx, Output{}, false
}
next := r.runs[r.idx]
return r.idx, next, true
}
// Save implements [RunIterator.Save].
func (r *shapedRunSlice) Save() {
r.savedIdx = r.idx
}
// Restore implements [RunIterator.Restore].
func (r *shapedRunSlice) Restore() {
r.idx = r.savedIdx
}
// wrapBuffer provides reusable buffers for line wrapping. When using a
// wrapBuffer, returned line wrapping results will use memory stored within
// the buffer. This means that the same buffer cannot be reused for another
// wrapping operation while the wrapped lines are still in use (unless they
// are deeply copied). If necessary, using multiple wrapBuffers can work
// around this restriction.
type wrapBuffer struct {
// paragraph is a buffer holding paragraph allocated (primarily) from subregions
// of the line field.
paragraph []Line
// line is a large buffer of Outputs that is used to build lines.
line []Output
// lineUsed is the index of the first unused element in line.
lineUsed int
// lineExhausted indicates whether the previous shaping used all of line.
lineExhausted bool
// alt is a smaller temporary buffer that holds candidate lines while
// they are being built.
alt []Output
// altAdvance is the sum of the advances of each run in alt.
altAdvance fixed.Int26_6
// altSave is a slice into alt used to save and restore the state of the alt buffer.
altSave []Output
// altAdvanceSave is the altAdvance of the altSave field.
altAdvanceSave fixed.Int26_6
// best is a slice holding the best known line. When possible, it
// is a subslice of line, but if line runs out of capacity it will
// be heap allocated.
best []Output
// bestInLine tracks whether the current best is allocated from within line.
bestInLine bool
}
func (w *wrapBuffer) reset() {
if cap(w.paragraph) < 10 {
w.paragraph = make([]Line, 0, 10)
}
w.paragraph = w.paragraph[:0]
if cap(w.alt) < 10 {
w.alt = make([]Output, 0, 10)
}
w.alt = w.alt[:0]
w.altAdvance = 0
w.altSave = w.alt[:0]
w.altAdvanceSave = 0
if cap(w.line) < 100 {
w.line = make([]Output, 0, 100)
}
w.line = w.line[:0]
w.lineUsed = 0
w.best = nil
w.bestInLine = false
if w.lineExhausted {
w.lineExhausted = false
// Trigger the go slice growth heuristic by appending an element to
// the capacity.
w.line = append(w.line[:cap(w.line)], Output{})[:0]
}
}
// singleRunParagraph is an optimized helper for quickly constructing
// a []Line containing only a single run.
func (w *wrapBuffer) singleRunParagraph(run Output) []Line {
w.paragraph = w.paragraph[:0]
s := w.line[w.lineUsed : w.lineUsed+1]
s[0] = run
w.paragraphAppend(s)
return w.finalParagraph()
}
func (w *wrapBuffer) paragraphAppend(line []Output) {
w.paragraph = append(w.paragraph, line)
}
func (w *wrapBuffer) finalParagraph() []Line {
return w.paragraph
}
func (w *wrapBuffer) startLine() {
w.alt = w.alt[:0]
w.altAdvance = 0
w.altSave = w.alt[:0]
w.altAdvanceSave = 0
w.best = nil
w.bestInLine = false
}
// candidateLen returns the number of [Output]s in the current line wrapping candidate.
func (w *wrapBuffer) candidateLen() int { return len(w.alt) }
// candidateAppend adds the given run to the current line wrapping candidate.
func (w *wrapBuffer) candidateAppend(run Output) {
w.alt = append(w.alt, run)
w.altAdvance = w.altAdvance + run.Advance
}
// candidateSave captures the current state of the line candidate, enabling it to
// be restored by a call to candidateRestore(). Only one state can be saved at a
// time, and a subsequent call to candidateSave will override any current saved
// state.
func (w *wrapBuffer) candidateSave() {
w.altSave = w.alt
w.altAdvanceSave = w.altAdvance
}
// candidateRestore resets the state of the line candidate to the state at the time
// of the most recent call to candidateSave().
func (w *wrapBuffer) candidateRestore() {
w.alt = w.altSave
w.altAdvance = w.altAdvanceSave
}
func (w *wrapBuffer) candidateAdvance() fixed.Int26_6 {
return w.altAdvance
}
// markCandidateBest marks that the current line wrapping candidate is the best
// known line wrapping candidate with the given suffixes. Providing suffixes does
// not modify the current candidate, but does ensure that the "best" candidate ends
// with them.
func (w *wrapBuffer) markCandidateBest(suffixes ...Output) {
neededLen := len(w.alt) + len(suffixes)
if len(w.line[w.lineUsed:cap(w.line)]) < neededLen {
w.lineExhausted = true
w.best = make([]Output, neededLen)
w.bestInLine = false
} else {
w.best = w.line[w.lineUsed : w.lineUsed+neededLen]
w.bestInLine = true
}
n := copy(w.best, w.alt)
copy(w.best[n:], suffixes)
}
// hasBest returns whether there is currently a known valid line wrapping candidate
// for the line.
func (w *wrapBuffer) hasBest() bool {
return len(w.best) > 0
}
// finalizeBest commits the storage for the current best line and returns it.
func (w *wrapBuffer) finalizeBest() []Output {
if w.bestInLine {
w.lineUsed += len(w.best)
}
return w.best
}
// LineWrapper holds reusable state for a line wrapping operation. Reusing
// LineWrappers for multiple paragraphs should improve performance.
type LineWrapper struct {
// config holds the current line wrapping settings.
config WrapConfig
// truncating tracks whether the wrapper should be performing truncation.
truncating bool
// seg is an internal storage used to initiate the breaker iterator.
seg segmenter.Segmenter
// breaker provides line-breaking candidates.
breaker *breaker
// scratch holds wrapping algorithm storage buffers for reuse.
scratch wrapBuffer
// mapper tracks rune->glyphCluster mappings.
mapper runMapper
// glyphRuns holds the runs of shaped text being wrapped.
glyphRuns RunIterator
// lineStartRune is the rune index of the first rune on the next line to
// be shaped.
lineStartRune int
// more indicates that the iteration API has more data to return.
more bool
}
// Prepare initializes the LineWrapper for the given paragraph and shaped text.
// It must be called prior to invoking WrapNextLine. Prepare invalidates any
// lines previously returned by this wrapper.
func (l *LineWrapper) Prepare(config WrapConfig, paragraph []rune, runs RunIterator) {
l.config = config
l.truncating = l.config.TruncateAfterLines > 0
l.breaker = newBreaker(&l.seg, paragraph)
l.glyphRuns = runs
l.lineStartRune = 0
l.more = true
l.mapper.valid = false
l.scratch.reset()
}
// WrapParagraph wraps the paragraph's shaped glyphs to a constant maxWidth.
// It is equivalent to iteratively invoking WrapLine with a constant maxWidth.
// If the config has a non-zero TruncateAfterLines, WrapParagraph will return at most
// that many lines. The truncated return value is the count of runes truncated from
// the end of the text. The returned lines are only valid until the next call to
// [*LineWrapper.WrapParagraph] or [*LineWrapper.Prepare].
//
// See [(*LineWrapper).WrapNextLine] for a description of how [WrapConfig]'s truncation
// features impact the wrapped text output. This method returns the quantity of runes
// truncated by line wrapping in the [truncated] return value.
func (l *LineWrapper) WrapParagraph(config WrapConfig, maxWidth int, paragraph []rune, runs RunIterator) (_ []Line, truncated int) {
l.scratch.reset()
// Check whether we can skip line wrapping altogether for the simple single-run-that-fits case.
if !(config.TextContinues && config.TruncateAfterLines == 1) {
runs.Save()
// We can only skip wrapping if the text doesn't contain any forced line
// breaks that need to be evaluated by the real algorithm, so we need to
// quickly scan it for that.
l.breaker = newBreaker(&l.seg, paragraph)
hasMandatoryBreak := false
for {
option, ok := l.breaker.nextWordBreak()
if !ok {
break
}
if option.required {
hasMandatoryBreak = true
break
}
}
if !hasMandatoryBreak {
_, firstRun, hasFirst := runs.Next()
_, _, hasSecond := runs.Peek()
if hasFirst && !hasSecond {
if firstRun.Advance.Ceil() <= maxWidth {
return l.scratch.singleRunParagraph(firstRun), 0
}
}
}
runs.Restore()
}
l.Prepare(config, paragraph, runs)
var (
line WrappedLine
done bool
)
for !done {
line, done = l.WrapNextLine(maxWidth)
if line.Line != nil {
l.scratch.paragraphAppend(line.Line)
}
}
return l.scratch.finalParagraph(), line.Truncated
}
// fillUntil tries to fill the line candidate slice with runs until it reaches a run containing the
// provided break option.
func (l *LineWrapper) fillUntil(runs RunIterator, option breakOption) {
currRunIndex, run, more := runs.Peek()
for more && option.breakAtRune >= run.Runes.Count+run.Runes.Offset {
if l.lineStartRune >= run.Runes.Offset+run.Runes.Count {
// Consume the run we peeked (which we know is valid)
_, _, _ = runs.Next()
currRunIndex, run, more = runs.Peek()
continue
} else if l.lineStartRune > run.Runes.Offset {
// If part of this run has already been used on a previous line, trim
// the runes corresponding to those glyphs off.
l.mapper.mapRun(currRunIndex, run)
isFirstInLine := l.scratch.candidateLen() == 0
run = cutRun(run, l.mapper.mapping, l.lineStartRune, run.Runes.Count+run.Runes.Offset, isFirstInLine)
}
// While the run being processed doesn't contain the current line breaking
// candidate, just append it to the candidate line.
l.scratch.candidateAppend(run)
// Consume the run we peeked (which we know is valid)
_, _, _ = runs.Next()
currRunIndex, run, more = runs.Peek()
}
}
// lineConfig tracks settings for line wrapping a single line of text.
type lineConfig struct {
// truncating indicates whether this line is being truncated (if sufficiently long).
truncating bool
// maxWidth is the maximum space a line can occupy.
maxWidth int
// truncatedMaxWidth holds the maximum width of the line available for text if the truncator
// is occupying part of the line.
truncatedMaxWidth int
}
// WrappedLine is the result of wrapping one line of text.
type WrappedLine struct {
// Line is the content of the line, as a slice of shaped runs
Line Line
// Truncated is the count of runes truncated from the end of the line,
// if this line was truncated.
Truncated int
// NextLine is the indice (in the input text slice) of the begining
// of the next line. It will equal len(text) if all the text
// fit in one line.
NextLine int
}
// swapVisualOrder inverts the visual index of runs in [subline], by swapping pairs of visual indices across the midpoint
// of the slice.
func swapVisualOrder(subline Line) {
L := len(subline)
for i := range subline[0 : L/2] {
j := (L - i) - 1
subline[i].VisualIndex, subline[j].VisualIndex = subline[j].VisualIndex, subline[i].VisualIndex
}
}
// computeBidiOrdering resolves the [VisualIndex] of each run.
func computeBidiOrdering(dir di.Direction, finalLine Line) {
bidiStart := -1
for idx, run := range finalLine {
basePosition := idx
if dir.Progression() == di.TowardTopLeft {
basePosition = len(finalLine) - 1 - idx
}
finalLine[idx].VisualIndex = int32(basePosition)
if run.Direction == dir {
if bidiStart != -1 {
swapVisualOrder(finalLine[bidiStart:idx])
bidiStart = -1
}
} else if bidiStart == -1 {
bidiStart = idx
}
}
if bidiStart != -1 {
swapVisualOrder(finalLine[bidiStart:])
}
}
func (l *LineWrapper) postProcessLine(finalLine Line, done bool) (WrappedLine, bool) {
if len(finalLine) > 0 {
computeBidiOrdering(l.config.Direction, finalLine)
if !l.config.DisableTrailingWhitespaceTrim {
// Here we find the last visual run in the line.
goalIdx := len(finalLine) - 1
if l.config.Direction.Progression() == di.TowardTopLeft {
goalIdx = 0
}
for logicalIdx, run := range finalLine {
if run.VisualIndex == int32(goalIdx) {
goalIdx = logicalIdx
break
}
}
// This next block locates the first/last visual glyph on the line and
// zeroes its advance if it is whitespace.
finalVisualRun := &finalLine[goalIdx]
var finalVisualGlyph *Glyph
if L := len(finalVisualRun.Glyphs); L > 0 {
if l.config.Direction.Progression() == di.FromTopLeft {
finalVisualGlyph = &finalVisualRun.Glyphs[L-1]
} else {
finalVisualGlyph = &finalVisualRun.Glyphs[0]
}
if finalVisualRun.Direction.IsVertical() {
if finalVisualGlyph.Height == 0 {
finalVisualGlyph.YAdvance = 0
}
} else { // horizontal
if finalVisualGlyph.Width == 0 {
finalVisualGlyph.XAdvance = 0
}
}
finalVisualRun.RecomputeAdvance()
}
}
finalLogicalRun := finalLine[len(finalLine)-1]
// Update the start position of the next line.
l.lineStartRune = finalLogicalRun.Runes.Count + finalLogicalRun.Runes.Offset
}
// Check whether we've exhausted the text.
done = done || l.lineStartRune >= l.breaker.totalRunes
// Implement truncation if needed.
truncated := 0
if l.truncating {
l.config.TruncateAfterLines--
insertTruncator := false
if l.config.TruncateAfterLines == 0 {
done = true
truncated = l.breaker.totalRunes - l.lineStartRune
insertTruncator = truncated > 0 || l.config.TextContinues
}
if insertTruncator {
truncator := l.config.Truncator
truncator.Runes.Count = truncated
truncator.Runes.Offset = l.lineStartRune
finalLine = append(finalLine, truncator)
// We've just modified the line, we need to recompute the bidi ordering.
computeBidiOrdering(l.config.Direction, finalLine)
}
}
// Mark the paragraph as complete if needed.
if done {
l.more = false
}
return WrappedLine{finalLine, truncated, l.lineStartRune}, done
}
// WrapNextLine wraps the shaped glyphs of a paragraph to a particular max width.
// It is meant to be called iteratively to wrap each line, allowing lines to
// be wrapped to different widths within the same paragraph. When done is true,
// subsequent calls to WrapNextLine (without calling Prepare) will return a nil line.
//
// The returned line is only valid until the next call to
// [*LineWrapper.Prepare] or [*LineWrapper.WrapParagraph].
//
// If the LineWrapper's [WrapConfig].TruncateAfterLines
// is non-zero, the final line of text returned by successive calls to WrapNextLine
// may be truncated. The quantity of runes truncated by wrapping the line is