ftplib을 사용하여 FTP 서버에서 파일을 업로드하고 다운로드하는 간단한 콘솔 앱을 작성했습니다.
앱에서 사용자의 다운로드 / 업로드 진행 상황을 시각화하여 보여주고 싶습니다. 데이터 청크를 다운로드 할 때마다 백분율과 같은 숫자 표현 인 경우에도 진행률 업데이트를 제공하고 싶습니다.
중요한 것은 이전 줄에서 콘솔에 인쇄 된 모든 텍스트가 지워지지 않도록하는 것입니다 (즉, 업데이트 된 진행률을 인쇄하는 동안 전체 터미널을 “지우고 싶지 않습니다”).
이것은 매우 일반적인 작업으로 보입니다. 이전 프로그램 출력을 유지하면서 콘솔에 출력되는 진행률 표시 줄이나 유사한 시각화를 어떻게 만들 수 있습니까?
답변
간단하고 사용자 정의 가능한 진행률 표시 줄
아래에는 정기적으로 사용하는 많은 답변이 있습니다 (수입 필요 없음).
# Print iterations progress
def printProgressBar (iteration, total, prefix = '', suffix = '', decimals = 1, length = 100, fill = '█', printEnd = "\r"):
"""
Call in a loop to create terminal progress bar
@params:
iteration - Required : current iteration (Int)
total - Required : total iterations (Int)
prefix - Optional : prefix string (Str)
suffix - Optional : suffix string (Str)
decimals - Optional : positive number of decimals in percent complete (Int)
length - Optional : character length of bar (Int)
fill - Optional : bar fill character (Str)
printEnd - Optional : end character (e.g. "\r", "\r\n") (Str)
"""
percent = ("{0:." + str(decimals) + "f}").format(100 * (iteration / float(total)))
filledLength = int(length * iteration // total)
bar = fill * filledLength + '-' * (length - filledLength)
print('\r%s |%s| %s%% %s' % (prefix, bar, percent, suffix), end = printEnd)
# Print New Line on Complete
if iteration == total:
print()
참고 : 이것은 Python 3 용입니다. 파이썬 2에서 이것을 사용하는 것에 대한 자세한 내용은 주석을 참조하십시오.
샘플 사용법
import time
# A List of Items
items = list(range(0, 57))
l = len(items)
# Initial call to print 0% progress
printProgressBar(0, l, prefix = 'Progress:', suffix = 'Complete', length = 50)
for i, item in enumerate(items):
# Do stuff...
time.sleep(0.1)
# Update Progress Bar
printProgressBar(i + 1, l, prefix = 'Progress:', suffix = 'Complete', length = 50)
샘플 출력 :
Progress: |█████████████████████████████████████████████-----| 90.0% Complete
최신 정보
진행률 표시 줄을 터미널 창 너비에 맞게 동적으로 조정할 수있는 옵션에 대한 주석에서 설명이있었습니다. 권장하지는 않지만 이 기능을 구현 하는 요점 은 다음과 같습니다.
답변
‘\ r’을 쓰면 커서가 줄의 처음으로 돌아갑니다.
백분율 카운터가 표시됩니다.
import time
import sys
for i in range(100):
time.sleep(1)
sys.stdout.write("\r%d%%" % i)
sys.stdout.flush()
답변
tqdm : 순식간에 루프에 진행 미터를 추가하십시오 .
>>> import time
>>> from tqdm import tqdm
>>> for i in tqdm(range(100)):
... time.sleep(1)
...
|###-------| 35/100 35% [elapsed: 00:35 left: 01:05, 1.00 iters/sec]
답변
\r
콘솔 에을 씁니다 . 이것은 “캐리지 리턴” 으로, 줄의 시작 부분에 모든 텍스트가 에코됩니다. 다음과 같은 것 :
def update_progress(progress):
print '\r[{0}] {1}%'.format('#'*(progress/10), progress)
그것은 당신에게 다음과 같은 것을 줄 것입니다 : [ ########## ] 100%
답변
10 줄 미만의 코드입니다.
요점은 여기 : https://gist.github.com/vladignatyev/06860ec2040cb497f0f3
import sys
def progress(count, total, suffix=''):
bar_len = 60
filled_len = int(round(bar_len * count / float(total)))
percents = round(100.0 * count / float(total), 1)
bar = '=' * filled_len + '-' * (bar_len - filled_len)
sys.stdout.write('[%s] %s%s ...%s\r' % (bar, percents, '%', suffix))
sys.stdout.flush() # As suggested by Rom Ruben
답변
Mozart of Python, Armin Ronacher가 작성한 클릭 라이브러리를 사용해보십시오 .
$ pip install click # both 2 and 3 compatible
간단한 진행률 표시 줄을 만들려면
import click
with click.progressbar(range(1000000)) as bar:
for i in bar:
pass
이것은 다음과 같습니다
# [###-------------------------------] 9% 00:01:14
당신의 마음 내용을 사용자 정의 :
import click, sys
with click.progressbar(range(100000), file=sys.stderr, show_pos=True, width=70, bar_template='(_(_)=%(bar)sD(_(_| %(info)s', fill_char='=', empty_char=' ') as bar:
for i in bar:
pass
커스텀 룩 :
(_(_)===================================D(_(_| 100000/100000 00:00:02
더 많은 옵션이 있습니다. API 문서를 참조하십시오 .
click.progressbar(iterable=None, length=None, label=None, show_eta=True, show_percent=None, show_pos=False, item_show_func=None, fill_char='#', empty_char='-', bar_template='%(label)s [%(bar)s] %(info)s', info_sep=' ', width=36, file=None, color=None)
답변
나는 게임에 늦었다는 것을 알고 있지만 여기에 내가 쓴 약간 Yum 스타일 (Red Hat)이 있습니다. 어쨌든 잘못되었습니다) :
import sys
def cli_progress_test(end_val, bar_length=20):
for i in xrange(0, end_val):
percent = float(i) / end_val
hashes = '#' * int(round(percent * bar_length))
spaces = ' ' * (bar_length - len(hashes))
sys.stdout.write("\rPercent: [{0}] {1}%".format(hashes + spaces, int(round(percent * 100))))
sys.stdout.flush()
다음과 같은 것을 생성해야합니다.
Percent: [############## ] 69%
… 괄호가 고정되어 있고 해시 만 증가합니다.
데코레이터로 더 잘 작동 할 수 있습니다. 다른 날에 …