进度条元素

  • 总量

  • 当前进度

  • 耗时

通过以上元素可以延伸出:完成百分比、速度、预计剩余时间、根据设置速度快慢阀值用不同的颜色来显示进度条。

实现

  1. type Bar struct {
  2. mu sync.Mutex
  3. line int //显示在哪行 多进度条的时候用
  4. prefix string //进度条前置描述
  5. total int //总量
  6. width int //宽度
  7. advance chan bool //是否刷新进度条
  8. done chan bool //是否完成
  9. currents map[string]int //一段时间内每个时间点的完成量
  10. current int //当前完成量
  11. rate int //进度百分比
  12. speed int //速度
  13. cost int //耗时
  14. estimate int //预计剩余完成时间
  15. fast int //速度快的阈值
  16. slow int //速度慢的阈值
  17. }

细节控制

耗时
一个计时器,需要注意的是即使进度没有变化,耗时也是递增的,看过一个多进程进度条的写法,没有注意这块,一个goroutine:

  1. func (b *Bar) updateCost() {
  2. for {
  3. select {
  4. case <-time.After(time.Second):
  5. b.cost++
  6. b.advance <- true
  7. case <-b.done:
  8. return
  9. }
  10. }
  11. }

进度
通过Add方法来递增当前完成的量,然后计算相关的值:速度、百分比、剩余完成的时间等,这里计算速度一般是取最近一段时间内的平均速度,如果是全部的完成量直接除当前耗时的话计算出来的速度并不准确,同时会影响剩余时间的估计。

  1. func (b *Bar) Add() {
  2. b.mu.Lock()
  3. now := time.Now()
  4. nowKey := now.Format("20060102150405")
  5. befKey := now.Add(time.Minute * -1).Format("20060102150405")
  6. b.current++
  7. b.currents[nowKey] = b.current
  8. if v, ok := b.currents[befKey]; ok {
  9. b.before = v
  10. }
  11. delete(b.currents, befKey)
  12. lastRate := b.rate
  13. lastSpeed := b.speed
  14. b.rate = b.current * 100 / b.total
  15. if b.cost == 0 {
  16. b.speed = b.current * 100
  17. } else if b.before == 0 {
  18. b.speed = b.current * 100 / b.cost
  19. } else {
  20. b.speed = (b.current - b.before) * 100 / 60
  21. }
  22. if b.speed != 0 {
  23. b.estimate = (b.total - b.current) * 100 / b.speed
  24. }
  25. b.mu.Unlock()
  26. if lastRate != b.rate || lastSpeed != b.speed {
  27. b.advance <- true
  28. }
  29. if b.rate >= 100 {
  30. close(b.done)
  31. close(b.advance)
  32. }
  33. }

显示
用最简单的\r,以及多进度条同时展示的话需要用到终端光标移动,这里只需要用到光标的上下移动即可,\033[nA向上移动n行,\033[nB向下移动n行。

移动到第n行

  1. func move(line int) {
  2. fmt.Printf("\033[%dA\033[%dB", gCurrentLine, line)
  3. gCurrentLine = line
  4. }

为了支持其他的标准输出不影响进度条的展示,还需要提供Print, Printf, Println 的方法, 用于计算当前光标所在位置,每个进度条都会有自己的所在行,显示的时候光标需要移动到对应的行。

效果
golang 进度条 - 图1


golang 进度条 - 图2