-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathutils.go
80 lines (65 loc) · 1.93 KB
/
utils.go
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
package budget
import (
"fmt"
"golang.org/x/text/language"
"golang.org/x/text/message"
"io"
"math"
"math/big"
"net/http"
)
// Balance represents the balance of an account.
// The String method formats the account balance with a dollar sign and comma(s).
type Balance float64
// Float64 returns the Balance value as a float64.
func (b Balance) Float64() float64 {
return float64(b)
}
// String returns the value of Balance with a dollar sign and comma(s).
func (b Balance) String() string {
return FormatCurrency(b.Float64())
}
// FormatCurrency adds a comma to a float64 value and prepends a dollar sign.
func FormatCurrency(n float64) string {
p := message.NewPrinter(language.English)
value := p.Sprintf("%.2f", math.Abs(n))
// Otherwise, the negative sign will be placed after the dollar sign
if n < 0 {
return "-$" + value
}
return "$" + value
}
// NewRat converts an `int` into an `int64` and is fed into `big.NewRat` to avoid floating point errors.
func NewRat(a int) Balance {
balance, _ := big.NewRat(int64(a), 1000).Float64()
return Balance(balance)
}
// GetURL builds and executes a request to the specified YNAB API endpoint.
func GetURL(apiToken, url string) ([]byte, error) {
// Create the HTTP request
req, err := http.NewRequest("GET", url, nil)
if err != nil {
fmt.Println("Error creating request:", err)
return nil, err
}
// Set the API token in the request header
bearer := fmt.Sprintf("Bearer %s", apiToken)
req.Header.Set("Authorization", bearer)
// Send the request
client := &http.Client{}
resp, err := client.Do(req)
if err != nil {
fmt.Println("Error sending request:", err)
return nil, err
}
defer resp.Body.Close()
body, err := io.ReadAll(resp.Body)
if err != nil {
fmt.Println("Error reading stream of data:", err)
return nil, err
}
if resp.StatusCode > 299 {
return nil, fmt.Errorf("Response failed with status code: %d and\nbody: %s\n", resp.StatusCode, body)
}
return body, nil
}