-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgraphic_terminal.py
238 lines (213 loc) · 7.04 KB
/
graphic_terminal.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
'''
Tools to do graphics in the terminal.
`clearLine`: fill the current line with ' ' (whitespace)
`eastAsianStrLen`: length of str as displayed on terminal (so chinese characters and other fullwidth chars count as 2 or more spaces)
`displayAllColors`: display all colors that your terminal supports.
`printTable`: print a table in the terminal.
'''
from __future__ import annotations
__all__ = [
'clearLine', 'eastAsianStrToWidths',
'eastAsianStrLen', 'eastAsianStrLeft', 'eastAsianStrRight',
'displayAllColors', 'eastAsianStrSparse', 'printTable',
'eastAsianStrPad', 'rollText',
]
from typing import *
from io import StringIO
from functools import lru_cache
from terminalsize import get_terminal_size
from unicodedata import east_asian_width
def clearLine():
'''
Clears the current line, then \r.
Used when previously printed without \n.
'''
terminal_width = get_terminal_size()[0] - 1
print('\r', ' ' * terminal_width, end = '\r', sep = '')
def eastAsianStrSparse(s, marks = []):
chars = []
marks_movement = {}
for i, char in enumerate(s):
if i in marks:
marks_movement[i] = len(chars)
chars.append(char)
if east_asian_width(char) in 'AFNW':
chars.append('')
if marks:
return chars, [marks_movement[x] for x in marks]
else:
return chars
def eastAsianStrToWidths(s, fullwidth_scale = 2):
widths = []
for char in s:
if east_asian_width(char) in 'AFNW':
widths.append(fullwidth_scale)
else:
widths.append(1)
return widths
def eastAsianStrLen(s, fullwidth_scale = 2):
return sum(eastAsianStrToWidths(s, fullwidth_scale))
def eastAsianStrLeft(s, n):
widths = eastAsianStrToWidths(s)
width = 0
for i, w in enumerate(widths):
width += w
if width > n:
return s[:i]
return s
def eastAsianStrRight(s, n):
widths = eastAsianStrToWidths(s)
width = 0
for i, w in reversed(tuple(enumerate(widths))):
width += w
if width >= n:
return s[i:]
return s
def eastAsianStrPad(s, padding, pad_char = ' '):
return s + pad_char * (padding - eastAsianStrLen(s))
def displayAllColors():
from colorama import init, Back, Fore, Style
init()
all_colors = [x for x in dir(Back) if x[0] != '_']
for color in all_colors:
print(Fore.RESET, ' ', Back.__getattribute__(color), color, end = '', flush = True, sep = '')
print(Back.RESET, ' ', Fore.__getattribute__(color), color, end = '', flush = True, sep = '')
print(Style.RESET_ALL)
def printTable(
table, header = None, formatter = None,
delimiter = '|', padding = 1,
):
col_width = [0 for _ in table[0]]
my_table = []
def addLine(line, do_format):
my_line = []
for i, x in enumerate(line):
if (
do_format and
formatter is not None and
formatter[i] is not None
):
x = str(formatter[i](x))
else:
x = str(x)
my_line.append(x)
col_width[i] = max(col_width[i], eastAsianStrLen(my_line[-1]))
my_table.append(my_line)
if header is not None:
addLine(header, do_format = False)
for line in table:
addLine(line, do_format = True)
deli = ' ' * padding + delimiter + ' ' * padding
for line in my_table:
print(deli, end = '')
for i, text in enumerate(line):
print(eastAsianStrPad(text, col_width[i]), end=deli)
print()
def rollText(
text: str, box_width: int, may_have_wide: bool = True,
may_have_linebreak: bool = True,
):
if may_have_linebreak:
result = []
for part in text.split('\n'):
result.extend(rollText(
part, box_width, may_have_wide, False,
))
return result
if may_have_wide:
lenFunc = eastAsianStrLen
strLeft = eastAsianStrLeft
else:
lenFunc = len
strLeft = lambda s, n: s[:n]
words = iter(text.split(' '))
line_bufs: List[List[str]] = []
line_buf: List[str] = None
just_line_break: bool = None
def lineAppend(word: str):
nonlocal line_buf, just_line_break
line_buf.append(word)
just_line_break = False
def lineBreak():
nonlocal line_bufs, line_buf, just_line_break
just_line_break = True
line_buf = []
line_bufs.append(line_buf)
lineBreak()
col = 0
word = next(words)
try:
while True:
word_len = lenFunc(word) + 1
col += word_len
if col <= box_width:
lineAppend(word)
word = next(words)
else:
if just_line_break:
# word longer than box_width
left = strLeft(word, box_width - 1)
right = word[len(left):]
lineAppend(left + '-')
lineBreak()
col = 0
word = right
else:
lineBreak()
col = 0
except StopIteration:
lines = [' '.join(line_buf) for line_buf in line_bufs]
return lines
class AsciiGraphic:
MAX_INSTANCES = 16
def __init__(self) -> None:
print('Wheel warning: Why not use asciimatics?')
w, h = get_terminal_size()
w -= 1
self.w, self.h = w, h
self.io = StringIO()
for _ in range(h):
self.io.write('\n')
self.io.write(' ' * w)
@lru_cache(maxsize=MAX_INSTANCES)
def ioLen(self):
return (self.w + 1) * self.h
def print(self):
self.io.seek(0)
print(self.io.read(self.ioLen()), end = '', flush=True)
def ioIndexAt(self, x: int, y: int):
return y * (self.w + 1) + x + 1
def lineHorizontal(
self, y: int, x_from: int, x_to: int, symbol: str = '-',
):
self.io.seek(self.ioIndexAt(x_from, y))
self.io.write(symbol * (x_to - x_from))
def lineVertical(
self, x: int, y_from: int, y_to: int, symbol: str = '|',
):
for y in range(y_from, y_to):
self.io.seek(self.ioIndexAt(x, y))
self.io.write(symbol)
if __name__ == '__main__':
displayAllColors()
printTable([
['ID', 'Name', 'Thing'],
['32678941829045312', 'Daniel', 'This is a demo'],
['340286501983078', 'Person B', 'Thing 2'],
])
print(*rollText(
'A long text that clearly cannot be displayed in one line, so what do we do? 如果有宽的中文字符,可以处理吗?长单词呢,比如 hippopotomonstrousesquippedaliophobia?',
18,
), sep='\n')
input('Enter to demo ascii graphic...')
from time import sleep
aG = AsciiGraphic()
aG.lineHorizontal(0, 0, aG.w)
aG.lineHorizontal(aG.h - 1, 0, aG.w)
aG.lineVertical(0, 0, aG.h)
aG.lineVertical(aG.w - 1, 0, aG.h)
for _ in range(10):
aG.print()
sleep(0.1)
from console import console
console(globals())