Last active
December 21, 2023 09:47
-
-
Save romuald/1a9e0f9bf7c9c45838111d6f0e55b26e to your computer and use it in GitHub Desktop.
A simple python progress bar
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# -*- coding: utf-8 -*- | |
from __future__ import print_function | |
import re | |
import sys | |
class ProgressBar(object): | |
""" | |
A simple progress bar for terminal | |
Simple example:: | |
progress = ProgressBar(20, width=25, fmt=ProgressBar.FULL) | |
for i in range(20): | |
progress() | |
progress.current = i | |
sleep(0.05) | |
progress.done() | |
# ==> [===== ] 4/20 ( 20%) 16 to go | |
""" | |
DEFAULT = 'Progress: %(bar)s %(percent)3d%%' | |
FULL = '%(bar)s %(current)d/%(total)d (%(percent)3d%%) %(remaining)d to go' | |
def __init__(self, total, width=40, fmt=DEFAULT, symbol='=', | |
output=sys.stderr): | |
assert len(symbol) == 1 | |
assert total >= 0 | |
assert width >= 0 | |
self.total = total | |
self.width = width | |
self.symbol = symbol | |
self.output = output | |
self.fmt = re.sub(r'(?P<name>%\(.+?\))d', | |
r'\g<name>%dd' % len(str(total)), fmt) | |
self.current = 0 | |
def __call__(self): | |
percent = self.current / float(self.total) | |
size = int(self.width * percent) | |
remaining = self.total - self.current | |
bar = '[' + self.symbol * size + ' ' * (self.width - size) + ']' | |
args = { | |
'total': self.total, | |
'bar': bar, | |
'current': self.current, | |
'percent': percent * 100, | |
'remaining': remaining | |
} | |
print('\r' + self.fmt % args, file=self.output, end='') | |
def done(self): | |
self.current = self.total | |
self() | |
print('', file=self.output) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Nice job