2018-01-21 15:45:07 +01:00
|
|
|
import re
|
|
|
|
|
2019-02-14 15:47:40 +01:00
|
|
|
from toot.wcstring import fit_text, wc_wrap
|
2018-01-20 13:43:21 +01:00
|
|
|
|
|
|
|
|
2018-01-06 17:32:27 +01:00
|
|
|
def draw_horizontal_divider(window, y):
|
|
|
|
height, width = window.getmaxyx()
|
|
|
|
|
2018-01-13 13:03:45 +01:00
|
|
|
# Don't draw out of bounds
|
|
|
|
if y < height - 1:
|
|
|
|
line = '├' + '─' * (width - 2) + '┤'
|
|
|
|
window.addstr(y, 0, line)
|
2018-01-06 17:32:27 +01:00
|
|
|
|
|
|
|
|
2018-01-20 13:43:21 +01:00
|
|
|
def enumerate_lines(lines, text_width, default_color):
|
|
|
|
def parse_line(line):
|
|
|
|
if isinstance(line, tuple) and len(line) == 2:
|
|
|
|
return line[0], line[1]
|
|
|
|
elif isinstance(line, str):
|
|
|
|
return line, default_color
|
|
|
|
elif line is None:
|
|
|
|
return "", default_color
|
|
|
|
|
|
|
|
raise ValueError("Wrong yield in generator")
|
|
|
|
|
|
|
|
def wrap_lines(lines):
|
|
|
|
for line in lines:
|
|
|
|
line, color = parse_line(line)
|
|
|
|
if line:
|
2019-02-14 15:47:40 +01:00
|
|
|
for wrapped in wc_wrap(line, text_width):
|
2018-01-20 13:43:21 +01:00
|
|
|
yield wrapped, color
|
|
|
|
else:
|
|
|
|
yield "", color
|
2018-01-06 17:32:27 +01:00
|
|
|
|
2018-01-20 13:43:21 +01:00
|
|
|
return enumerate(wrap_lines(lines))
|
|
|
|
|
|
|
|
|
2018-01-21 15:45:07 +01:00
|
|
|
HASHTAG_PATTERN = re.compile(r'(?<!\w)(#\w+)\b')
|
|
|
|
|
|
|
|
|
|
|
|
def highlight_hashtags(window, y, padding, line):
|
|
|
|
from toot.ui.app import Color
|
|
|
|
|
|
|
|
for match in re.finditer(HASHTAG_PATTERN, line):
|
|
|
|
start, end = match.span()
|
|
|
|
window.chgat(y, start + padding, end - start, Color.HASHTAG)
|
|
|
|
|
|
|
|
|
2019-02-28 02:10:27 +01:00
|
|
|
def size_as_drawn(lines, screen_width):
|
|
|
|
"""Get the bottom-right corner of some text as would be drawn by draw_lines"""
|
|
|
|
y = 0
|
|
|
|
x = 0
|
|
|
|
for line in lines:
|
2019-03-01 02:22:54 +01:00
|
|
|
wrapped = list(wc_wrap(line, screen_width))
|
|
|
|
if len(wrapped) > 0:
|
|
|
|
for wrapped_line in wrapped:
|
|
|
|
x = len(wrapped_line)
|
|
|
|
y += 1
|
|
|
|
else:
|
|
|
|
x = 0
|
2019-02-28 02:10:27 +01:00
|
|
|
y += 1
|
2019-03-01 02:22:54 +01:00
|
|
|
return y - 1, x - 1 if x != 0 else 0
|
2019-02-28 02:10:27 +01:00
|
|
|
|
|
|
|
|
2018-01-20 13:43:21 +01:00
|
|
|
def draw_lines(window, lines, start_y, padding, default_color):
|
|
|
|
height, width = window.getmaxyx()
|
|
|
|
text_width = width - 2 * padding
|
2018-01-06 17:32:27 +01:00
|
|
|
|
2018-01-20 13:43:21 +01:00
|
|
|
for dy, (line, color) in enumerate_lines(lines, text_width, default_color):
|
|
|
|
y = start_y + dy
|
|
|
|
if y < height - 1:
|
2019-02-14 15:47:40 +01:00
|
|
|
window.addstr(y, padding, fit_text(line, text_width), color)
|
2018-01-21 15:45:07 +01:00
|
|
|
highlight_hashtags(window, y, padding, line)
|
2018-01-06 17:32:27 +01:00
|
|
|
|
2018-01-20 13:43:21 +01:00
|
|
|
return y + 1
|