我想查看在Spyder中运行的程序的进度。有可能吗?到目前为止,我似乎还不知道它什么时候结束,除非我在底部写一个print语句,指示程序完成了执行
最佳答案
我经常在巨型for循环中添加一个小小的进度条,让我知道我还要等多久。我想你写了你正在运行的脚本,所以你可以做类似的事情。
对于一个非常简单的进度条,它只告诉你它在工作,而不是有多远,你可以做
# Simple Progress Bar:
import sys # for progress bar (sys.stdout)
for i in range(1,1000):
# your loop's complicated code here
sys.stdout.write('.'); sys.stdout.flush(); # print a small progress bar
(如果不执行
.flush()
,则在完成整个循环之前,它不会写入任何输出!)对于更复杂的进度条(它实际上告诉我还有多少工作要做),我使用以下代码:
# Full progress bar during long loop:
import sys
scan_wavelengths = range(0,1000000) # the variable being varied
nWLs = len(scan_wavelengths) # how many steps in the loop
# Progress Bar setup:
ProgMax = 20 # number of dots in progress bar
if nWLs<ProgMax: ProgMax = nWLs # if less than 20 points in scan, shorten bar
print "|" + ProgMax*"-" + "| MyFunction() progress"
sys.stdout.write('|'); sys.stdout.flush(); # print start of progress bar
nProg = 0 # fraction of progress
# The main loop:
for step,wavelength in enumerate(scan_wavelengths):
''' `step` goes from 0-->N during loop'''
#<Your complicated stuff in the loop>
# update progress bar:
if ( step >= nProg*nWLs/ProgMax ):
'''Print dot at some fraction of the loop.'''
sys.stdout.write('*'); sys.stdout.flush();
nProg = nProg+1
if ( step >= nWLs-1 ):
'''If done, write the end of the progress bar'''
sys.stdout.write('| done \n'); sys.stdout.flush();
希望能有所帮助。我相信这个网站上很多更成熟的程序员都有更优雅的方法来做这些事情。
关于python - 如何查看在spyder IDE中运行的程序的进度?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28216660/