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
|
// Package wordwrap provides methods for wrapping the contents of a string
package wordwrap
import (
"bytes"
"github.com/mattn/go-runewidth"
"unicode"
)
// WrapString wraps the given string within lim width in characters.
//
// Wrapping is currently naive and only happens at white-space. A future
// version of the library will implement smarter wrapping. This means that
// pathological cases can dramatically reach past the limit, such as a very
// long word.
func WrapString(s string, lim uint) string {
// Initialize a buffer with a slightly larger size to account for breaks
init := make([]byte, 0, len(s))
buf := bytes.NewBuffer(init)
var current uint
var wordBuf, spaceBuf bytes.Buffer
var wordWidth, spaceWidth int
for _, char := range s {
if char == '\n' {
if wordBuf.Len() == 0 {
if current+uint(spaceWidth) > lim {
current = 0
} else {
current += uint(spaceWidth)
spaceBuf.WriteTo(buf)
spaceWidth += runewidth.StringWidth(buf.String())
}
spaceBuf.Reset()
spaceWidth = 0
} else {
current += uint(spaceWidth + wordWidth)
spaceBuf.WriteTo(buf)
spaceBuf.Reset()
wordBuf.WriteTo(buf)
wordBuf.Reset()
spaceWidth = 0
wordWidth = 0
}
buf.WriteRune(char)
current = 0
} else if unicode.IsSpace(char) {
if spaceBuf.Len() == 0 || wordBuf.Len() > 0 {
current += uint(spaceWidth + wordWidth)
spaceBuf.WriteTo(buf)
spaceBuf.Reset()
wordBuf.WriteTo(buf)
wordBuf.Reset()
spaceWidth = 0
wordWidth = 0
}
spaceBuf.WriteRune(char)
spaceWidth += runewidth.RuneWidth(char)
} else {
wordBuf.WriteRune(char)
wordWidth += runewidth.RuneWidth(char)
if current+uint(spaceWidth+wordWidth) > lim && uint(wordWidth) < lim {
buf.WriteRune('\n')
current = 0
spaceBuf.Reset()
spaceWidth = 0
}
}
}
if wordBuf.Len() == 0 {
if current+uint(spaceWidth) <= lim {
spaceBuf.WriteTo(buf)
}
} else {
spaceBuf.WriteTo(buf)
wordBuf.WriteTo(buf)
}
return buf.String()
}
|