aboutsummaryrefslogtreecommitdiff
path: root/tools/updater/download.go
blob: 8c9de9ae0bb128007e859898416daf1a7e9d8f46 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
package main

import (
	"fmt"
	"io"
	"net/http"
	"os"
	"path/filepath"
	"strings"
)

func Min(x, y int64) int64 {
	if x < y {
		return x
	}
	return y
}

func Max(x, y int64) int64 {
	if x > y {
		return x
	}
	return y
}

// WriteCounter counts the number of bytes written to it
type WriteCounter struct {
	ContentLength int64
	BytesWritten  uint64

	Step int64
}

func NewWriteCounter(contentLength int64) *WriteCounter {
	ptr := new(WriteCounter)
	ptr.ContentLength = contentLength
	ptr.Step = Max(contentLength/20, 1)

	return ptr
}

func (wc *WriteCounter) Write(p []byte) (int, error) {
	n := len(p)
	wc.BytesWritten += uint64(n)
	wc.PrintProgress()
	return n, nil
}

func (wc *WriteCounter) PrintProgress() {
	// clear the line by using a character return to go back to the start of the
	// line and remove the remaining characters
	fmt.Printf("\r%s", strings.Repeat(" ", 35))

	// steps can be at most 20 -> get the minimum of (n_steps) and 20
	steps := int(Min(int64(wc.BytesWritten)/wc.Step, 20))

	fmt.Printf("\r[%s%s] %d/%d bytes complete", strings.Repeat("#", steps), strings.Repeat(" ", 20-steps), wc.BytesWritten, wc.ContentLength)
}

func downloadFile(path string, url string) error {
	// make sure dir exists
	os.MkdirAll(filepath.Dir(path), 0755)

	// create .part file
	output, err := os.Create(path + ".part")
	if err != nil {
		return err
	}
	defer output.Close()

	// get data
	response, err := http.Get(url)
	if err != nil {
		return err
	}
	defer response.Body.Close()

	// create progress reporter
	counter := NewWriteCounter(response.ContentLength)
	_, err = io.Copy(output, io.TeeReader(response.Body, counter))
	if err != nil {
		return err
	}

	fmt.Printf("\n")
	output.Close()
	return os.Rename(path+".part", path)
}