-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathclient.go
110 lines (84 loc) · 1.95 KB
/
client.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
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
package cloudconfig
import (
"encoding/json"
"fmt"
"io"
"net/http"
"net/url"
"github.com/pkg/errors"
"gopkg.in/yaml.v3"
)
type defaultClient struct {
server string
application string
profile string
branch string
format Format
scheme string
basicAuth *basicAuthInfo
httpClient *http.Client
}
type basicAuthInfo struct {
username string
password string
}
func NewClient(server, application, profile string, opts ...ClientOption) (Client, error) {
if server == "" {
return nil, errors.New("server is required")
}
if application == "" {
return nil, errors.New("application is required")
}
if profile == "" {
return nil, errors.New("a base profile is required")
}
c := &defaultClient{
server: server,
application: application,
profile: profile,
format: JSONFormat,
scheme: "http",
httpClient: &http.Client{},
}
for _, o := range opts {
if err := o(c); err != nil {
return nil, err
}
}
return c, nil
}
func (d *defaultClient) Raw() (io.ReadCloser, error) {
u := d.buildURL()
if _, err := url.Parse(u); err != nil {
return nil, errors.Wrapf(err, "invalid config url [%s]", u)
}
request, err := http.NewRequest("GET", u, nil)
if err != nil {
return nil, err
}
if d.basicAuth != nil {
request.SetBasicAuth(d.basicAuth.username, d.basicAuth.password)
}
response, err := d.httpClient.Do(request)
if err != nil {
return nil, errors.Wrap(err, "config resolution failed")
}
return response.Body, nil
}
func (d *defaultClient) Decode(v interface{}) error {
reader, err := d.Raw()
if err != nil {
return err
}
if d.format == JSONFormat {
return json.NewDecoder(reader).Decode(v)
}
return yaml.NewDecoder(reader).Decode(v)
}
func (d *defaultClient) buildURL() string {
u := fmt.Sprintf("%s://%s", d.scheme, d.server)
if d.branch != "" {
u = fmt.Sprintf("%s/%s", u, d.branch)
}
return fmt.Sprintf("%s/%s-%s.%s", u, d.application, d.profile, d.format)
}