Eli Friedman | 77a1fe9 | 2009-07-10 20:15:12 +0000 | [diff] [blame] | 1 | #!/usr/bin/env python |
Daniel Dunbar | 6fc0bdf | 2009-03-06 22:20:40 +0000 | [diff] [blame] | 2 | |
| 3 | # Source: http://code.activestate.com/recipes/475116/, with |
| 4 | # modifications by Daniel Dunbar. |
| 5 | |
| 6 | import sys, re, time |
| 7 | |
| 8 | class TerminalController: |
| 9 | """ |
| 10 | A class that can be used to portably generate formatted output to |
| 11 | a terminal. |
| 12 | |
| 13 | `TerminalController` defines a set of instance variables whose |
| 14 | values are initialized to the control sequence necessary to |
| 15 | perform a given action. These can be simply included in normal |
| 16 | output to the terminal: |
| 17 | |
| 18 | >>> term = TerminalController() |
| 19 | >>> print 'This is '+term.GREEN+'green'+term.NORMAL |
| 20 | |
| 21 | Alternatively, the `render()` method can used, which replaces |
| 22 | '${action}' with the string required to perform 'action': |
| 23 | |
| 24 | >>> term = TerminalController() |
| 25 | >>> print term.render('This is ${GREEN}green${NORMAL}') |
| 26 | |
| 27 | If the terminal doesn't support a given action, then the value of |
| 28 | the corresponding instance variable will be set to ''. As a |
| 29 | result, the above code will still work on terminals that do not |
| 30 | support color, except that their output will not be colored. |
| 31 | Also, this means that you can test whether the terminal supports a |
| 32 | given action by simply testing the truth value of the |
| 33 | corresponding instance variable: |
| 34 | |
| 35 | >>> term = TerminalController() |
| 36 | >>> if term.CLEAR_SCREEN: |
| 37 | ... print 'This terminal supports clearning the screen.' |
| 38 | |
| 39 | Finally, if the width and height of the terminal are known, then |
| 40 | they will be stored in the `COLS` and `LINES` attributes. |
| 41 | """ |
| 42 | # Cursor movement: |
| 43 | BOL = '' #: Move the cursor to the beginning of the line |
| 44 | UP = '' #: Move the cursor up one line |
| 45 | DOWN = '' #: Move the cursor down one line |
| 46 | LEFT = '' #: Move the cursor left one char |
| 47 | RIGHT = '' #: Move the cursor right one char |
| 48 | |
| 49 | # Deletion: |
| 50 | CLEAR_SCREEN = '' #: Clear the screen and move to home position |
| 51 | CLEAR_EOL = '' #: Clear to the end of the line. |
| 52 | CLEAR_BOL = '' #: Clear to the beginning of the line. |
| 53 | CLEAR_EOS = '' #: Clear to the end of the screen |
| 54 | |
| 55 | # Output modes: |
| 56 | BOLD = '' #: Turn on bold mode |
| 57 | BLINK = '' #: Turn on blink mode |
| 58 | DIM = '' #: Turn on half-bright mode |
| 59 | REVERSE = '' #: Turn on reverse-video mode |
| 60 | NORMAL = '' #: Turn off all modes |
| 61 | |
| 62 | # Cursor display: |
| 63 | HIDE_CURSOR = '' #: Make the cursor invisible |
| 64 | SHOW_CURSOR = '' #: Make the cursor visible |
| 65 | |
| 66 | # Terminal size: |
| 67 | COLS = None #: Width of the terminal (None for unknown) |
| 68 | LINES = None #: Height of the terminal (None for unknown) |
| 69 | |
| 70 | # Foreground colors: |
| 71 | BLACK = BLUE = GREEN = CYAN = RED = MAGENTA = YELLOW = WHITE = '' |
| 72 | |
| 73 | # Background colors: |
| 74 | BG_BLACK = BG_BLUE = BG_GREEN = BG_CYAN = '' |
| 75 | BG_RED = BG_MAGENTA = BG_YELLOW = BG_WHITE = '' |
| 76 | |
| 77 | _STRING_CAPABILITIES = """ |
| 78 | BOL=cr UP=cuu1 DOWN=cud1 LEFT=cub1 RIGHT=cuf1 |
| 79 | CLEAR_SCREEN=clear CLEAR_EOL=el CLEAR_BOL=el1 CLEAR_EOS=ed BOLD=bold |
| 80 | BLINK=blink DIM=dim REVERSE=rev UNDERLINE=smul NORMAL=sgr0 |
| 81 | HIDE_CURSOR=cinvis SHOW_CURSOR=cnorm""".split() |
| 82 | _COLORS = """BLACK BLUE GREEN CYAN RED MAGENTA YELLOW WHITE""".split() |
| 83 | _ANSICOLORS = "BLACK RED GREEN YELLOW BLUE MAGENTA CYAN WHITE".split() |
| 84 | |
| 85 | def __init__(self, term_stream=sys.stdout): |
| 86 | """ |
| 87 | Create a `TerminalController` and initialize its attributes |
| 88 | with appropriate values for the current terminal. |
| 89 | `term_stream` is the stream that will be used for terminal |
| 90 | output; if this stream is not a tty, then the terminal is |
| 91 | assumed to be a dumb terminal (i.e., have no capabilities). |
| 92 | """ |
| 93 | # Curses isn't available on all platforms |
| 94 | try: import curses |
| 95 | except: return |
| 96 | |
| 97 | # If the stream isn't a tty, then assume it has no capabilities. |
| 98 | if not term_stream.isatty(): return |
| 99 | |
| 100 | # Check the terminal type. If we fail, then assume that the |
| 101 | # terminal has no capabilities. |
| 102 | try: curses.setupterm() |
| 103 | except: return |
| 104 | |
| 105 | # Look up numeric capabilities. |
| 106 | self.COLS = curses.tigetnum('cols') |
| 107 | self.LINES = curses.tigetnum('lines') |
| 108 | |
| 109 | # Look up string capabilities. |
| 110 | for capability in self._STRING_CAPABILITIES: |
| 111 | (attrib, cap_name) = capability.split('=') |
| 112 | setattr(self, attrib, self._tigetstr(cap_name) or '') |
| 113 | |
| 114 | # Colors |
| 115 | set_fg = self._tigetstr('setf') |
| 116 | if set_fg: |
| 117 | for i,color in zip(range(len(self._COLORS)), self._COLORS): |
| 118 | setattr(self, color, curses.tparm(set_fg, i) or '') |
| 119 | set_fg_ansi = self._tigetstr('setaf') |
| 120 | if set_fg_ansi: |
| 121 | for i,color in zip(range(len(self._ANSICOLORS)), self._ANSICOLORS): |
| 122 | setattr(self, color, curses.tparm(set_fg_ansi, i) or '') |
| 123 | set_bg = self._tigetstr('setb') |
| 124 | if set_bg: |
| 125 | for i,color in zip(range(len(self._COLORS)), self._COLORS): |
| 126 | setattr(self, 'BG_'+color, curses.tparm(set_bg, i) or '') |
| 127 | set_bg_ansi = self._tigetstr('setab') |
| 128 | if set_bg_ansi: |
| 129 | for i,color in zip(range(len(self._ANSICOLORS)), self._ANSICOLORS): |
| 130 | setattr(self, 'BG_'+color, curses.tparm(set_bg_ansi, i) or '') |
| 131 | |
| 132 | def _tigetstr(self, cap_name): |
| 133 | # String capabilities can include "delays" of the form "$<2>". |
| 134 | # For any modern terminal, we should be able to just ignore |
| 135 | # these, so strip them out. |
| 136 | import curses |
| 137 | cap = curses.tigetstr(cap_name) or '' |
| 138 | return re.sub(r'\$<\d+>[/*]?', '', cap) |
| 139 | |
| 140 | def render(self, template): |
| 141 | """ |
| 142 | Replace each $-substitutions in the given template string with |
| 143 | the corresponding terminal control string (if it's defined) or |
| 144 | '' (if it's not). |
| 145 | """ |
| 146 | return re.sub(r'\$\$|\${\w+}', self._render_sub, template) |
| 147 | |
| 148 | def _render_sub(self, match): |
| 149 | s = match.group() |
| 150 | if s == '$$': return s |
| 151 | else: return getattr(self, s[2:-1]) |
| 152 | |
| 153 | ####################################################################### |
| 154 | # Example use case: progress bar |
| 155 | ####################################################################### |
| 156 | |
| 157 | class ProgressBar: |
| 158 | """ |
| 159 | A 3-line progress bar, which looks like:: |
| 160 | |
| 161 | Header |
| 162 | 20% [===========----------------------------------] |
| 163 | progress message |
| 164 | |
| 165 | The progress bar is colored, if the terminal supports color |
| 166 | output; and adjusts to the width of the terminal. |
| 167 | """ |
| 168 | BAR = '%s${GREEN}[${BOLD}%s%s${NORMAL}${GREEN}]${NORMAL}%s\n' |
| 169 | HEADER = '${BOLD}${CYAN}%s${NORMAL}\n\n' |
| 170 | |
| 171 | def __init__(self, term, header, useETA=True): |
| 172 | self.term = term |
| 173 | if not (self.term.CLEAR_EOL and self.term.UP and self.term.BOL): |
| 174 | raise ValueError("Terminal isn't capable enough -- you " |
| 175 | "should use a simpler progress dispaly.") |
| 176 | self.width = self.term.COLS or 75 |
| 177 | self.bar = term.render(self.BAR) |
| 178 | self.header = self.term.render(self.HEADER % header.center(self.width)) |
| 179 | self.cleared = 1 #: true if we haven't drawn the bar yet. |
| 180 | self.useETA = useETA |
| 181 | if self.useETA: |
| 182 | self.startTime = time.time() |
| 183 | self.update(0, '') |
| 184 | |
| 185 | def update(self, percent, message): |
| 186 | if self.cleared: |
| 187 | sys.stdout.write(self.header) |
| 188 | self.cleared = 0 |
| 189 | prefix = '%3d%% ' % (percent*100,) |
| 190 | suffix = '' |
| 191 | if self.useETA: |
| 192 | elapsed = time.time() - self.startTime |
| 193 | if percent > .0001 and elapsed > 1: |
| 194 | total = elapsed / percent |
| 195 | eta = int(total - elapsed) |
| 196 | h = eta//3600. |
| 197 | m = (eta//60) % 60 |
| 198 | s = eta % 60 |
| 199 | suffix = ' ETA: %02d:%02d:%02d'%(h,m,s) |
| 200 | barWidth = self.width - len(prefix) - len(suffix) - 2 |
| 201 | n = int(barWidth*percent) |
| 202 | if len(message) < self.width: |
| 203 | message = message + ' '*(self.width - len(message)) |
| 204 | else: |
| 205 | message = '... ' + message[-(self.width-4):] |
| 206 | sys.stdout.write( |
| 207 | self.term.BOL + self.term.UP + self.term.CLEAR_EOL + |
| 208 | (self.bar % (prefix, '='*n, '-'*(barWidth-n), suffix)) + |
| 209 | self.term.CLEAR_EOL + message) |
| 210 | |
| 211 | def clear(self): |
| 212 | if not self.cleared: |
| 213 | sys.stdout.write(self.term.BOL + self.term.CLEAR_EOL + |
| 214 | self.term.UP + self.term.CLEAR_EOL + |
| 215 | self.term.UP + self.term.CLEAR_EOL) |
| 216 | self.cleared = 1 |
| 217 | |
| 218 | def test(): |
| 219 | import time |
| 220 | tc = TerminalController() |
| 221 | p = ProgressBar(tc, 'Tests') |
| 222 | for i in range(101): |
| 223 | p.update(i/100., str(i)) |
| 224 | time.sleep(.3) |
| 225 | |
| 226 | if __name__=='__main__': |
| 227 | test() |