forked from coreos/fleet
-
Notifications
You must be signed in to change notification settings - Fork 0
/
client.go
435 lines (361 loc) · 10 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
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
package etcd
import (
"crypto/tls"
"crypto/x509"
"encoding/pem"
"errors"
"fmt"
"io/ioutil"
"net/http"
"net/url"
"time"
"github.com/coreos/fleet/log"
)
const (
defaultEndpoint = "http://localhost:4001"
redirectMax = 10
)
type Client interface {
Do(Action) (*Result, error)
Wait(Action, <-chan struct{}) (*Result, error)
}
// transport mimics http.Transport to provide an interface which can be
// substituted for testing (since the RoundTripper interface alone does not
// require the CancelRequest method)
type transport interface {
http.RoundTripper
CancelRequest(req *http.Request)
}
func NewClient(endpoints []string, transport *http.Transport, actionTimeout time.Duration) (*client, error) {
if len(endpoints) == 0 {
endpoints = []string{defaultEndpoint}
}
parsed := make([]url.URL, len(endpoints))
for i, ep := range endpoints {
u, err := url.Parse(ep)
if err != nil {
return nil, err
}
setDefaultPath(u)
if err = filterURL(u); err != nil {
return nil, err
}
parsed[i] = *u
}
return &client{
endpoints: parsed,
transport: transport,
actionTimeout: actionTimeout,
}, nil
}
// setDefaultPath will set the Path attribute of the provided
// url.URL to / if no Path is set
func setDefaultPath(u *url.URL) {
// Set a default path
if u.Path == "" {
u.Path = "/"
}
}
// filterURL raises an error if the provided url.URL has any
// questionable attributes
func filterURL(u *url.URL) error {
if !(u.Scheme == "http" || u.Scheme == "https") {
return fmt.Errorf("unable to use endpoint scheme %s, http/https only", u.Scheme)
}
if u.Path != "/" {
return fmt.Errorf("unable to use endpoint with non-root path: %s", u)
}
if len(u.Query()) > 0 {
return fmt.Errorf("unable to use endpoint with query parameters: %s", u)
}
if len(u.Opaque) > 0 {
return fmt.Errorf("malformed endpoint: %s", u)
}
if u.User != nil {
return fmt.Errorf("unable to use endpoint with user info: %s", u)
}
if len(u.Fragment) > 0 {
return fmt.Errorf("unable to use endpoint with fragment: %s", u)
}
return nil
}
type client struct {
endpoints []url.URL
transport transport
actionTimeout time.Duration
}
// a requestFunc must never return a nil *http.Response and a nil error together
type requestFunc func(*http.Request, <-chan struct{}) (*http.Response, []byte, error)
// reqResp encapsulates a response/error retrieved asynchronously
type reqResp struct {
r *http.Response
b []byte
e error
}
// Make a single http request, draining the body on success. If the request
// fails, an error is returned. If the provided channel is ever closed, the
// in-flight request will be cancelled asynchronously and an error returned
// immediately.
func (c *client) requestHTTP(req *http.Request, cancel <-chan struct{}) (resp *http.Response, body []byte, err error) {
respchan := make(chan reqResp, 1)
// Spawn a goroutine to perform the actual request. This routine is
// responsible for draining and closing the body of any response.
go func() {
var r *http.Response
var b []byte
var e error
r, e = c.transport.RoundTrip(req)
if r == nil && e == nil {
e = errors.New("nil error and nil response")
}
if e != nil {
if r != nil {
r.Body.Close()
}
r, b = nil, nil
} else {
b, e = ioutil.ReadAll(r.Body)
r.Body.Close()
}
respchan <- reqResp{r, b, e}
}()
select {
case res := <-respchan:
resp, body, err = res.r, res.b, res.e
case <-cancel:
go c.transport.CancelRequest(req)
resp, body, err = nil, nil, errors.New("cancelled")
}
return
}
// Attempt to get a usable Result for the provided Action.
// - this call will block until the provided channel is closed
// - requests are attempted against all configured endpoints
// - exponential backoff is used before reattempting resolution
// of the given Action against the set of endpoints
// - up to 10 redirects are followed per endpoint per attempt
// If the provided channel is closed before a Result can be
// retrieved, a nil object is returned.
func (c *client) resolve(act Action, rf requestFunc, cancel <-chan struct{}) (*Result, error) {
requests := func() (res *Result, err error) {
for eIndex := 0; eIndex < len(c.endpoints); eIndex++ {
endpoint := c.endpoints[eIndex]
ar := newActionResolver(act, &endpoint, rf)
res, err = ar.Resolve(cancel)
if res != nil || err != nil {
break
}
select {
case <-cancel:
return
default:
}
}
return
}
backoff := func(fn func() (*Result, error)) (res *Result, err error) {
sleep := 100 * time.Millisecond
for {
res, err = fn()
if res != nil || err != nil {
break
}
select {
case <-cancel:
return nil, errors.New("cancelled")
default:
}
log.Errorf("Unable to get result for %v, retrying in %v", act, sleep)
select {
case <-cancel:
return nil, errors.New("cancelled")
case <-time.After(sleep):
}
sleep = sleep * 2
if sleep > time.Second {
sleep = time.Second
}
}
return
}
return backoff(requests)
}
// Make any necessary HTTP requests to resolve the given Action, returning
// a Result if one can be acquired. This function call will wait 10s before
// aborting any in-flight requests and returning an error.
func (c *client) Do(act Action) (*Result, error) {
type re struct {
res *Result
err error
}
cancel := make(chan struct{})
result := make(chan re)
go func() {
r, e := c.resolve(act, c.requestHTTP, cancel)
result <- re{r, e}
}()
select {
case <-time.After(c.actionTimeout):
close(cancel)
return nil, errors.New("timeout reached")
case r := <-result:
return r.res, r.err
}
}
// Make any necessary HTTP requests to resolve the given Action, returning
// a Result if one can be acquired. If the provided channel is ever closed,
// all in-flight HTTP requests will be aborted and an error will be returned.
func (c *client) Wait(act Action, cancel <-chan struct{}) (*Result, error) {
return c.resolve(act, c.requestHTTP, cancel)
}
var (
handlers = map[int]func(*http.Response, []byte) (*Result, error){
http.StatusOK: unmarshalSuccessfulResponse,
http.StatusCreated: unmarshalSuccessfulResponse,
http.StatusNotFound: unmarshalFailedResponse,
http.StatusPreconditionFailed: unmarshalFailedResponse,
http.StatusBadRequest: unmarshalFailedResponse,
}
)
type actionResolver struct {
action Action
endpoint *url.URL
requestFunc requestFunc
redirectCount int
}
func newActionResolver(act Action, ep *url.URL, rf requestFunc) *actionResolver {
return &actionResolver{action: act, endpoint: ep, requestFunc: rf}
}
// Resolve attempts to yield a result from the configured action and endpoint. If a usable
// Result or error was not attained, nil values are returned.
func (ar *actionResolver) Resolve(cancel <-chan struct{}) (*Result, error) {
resp, body, err := ar.exhaust(cancel)
if err != nil {
log.Infof("Failed getting response from %v: %v", ar.endpoint, err)
return nil, nil
}
hdlr, ok := handlers[resp.StatusCode]
if !ok {
log.Infof("Response %s from %v unusable", resp.Status, ar.endpoint)
return nil, nil
}
return hdlr(resp, body)
}
func (ar *actionResolver) exhaust(cancel <-chan struct{}) (resp *http.Response, body []byte, err error) {
var req *http.Request
req, err = ar.first()
if err != nil {
return nil, nil, err
}
for req != nil {
resp, body, err = ar.one(req, cancel)
if err != nil {
return nil, nil, err
}
req, err = ar.next(resp)
if err != nil {
return nil, nil, err
}
}
return resp, body, err
}
func (ar *actionResolver) first() (*http.Request, error) {
req, err := ar.action.HTTPRequest()
if err != nil {
// the inability to build an HTTP request is not recoverable
return nil, err
}
// the URL in the http.Request must not be completely overwritten
req.URL.Scheme = ar.endpoint.Scheme
req.URL.Host = ar.endpoint.Host
return req, nil
}
func (ar *actionResolver) next(resp *http.Response) (*http.Request, error) {
if resp.StatusCode != http.StatusTemporaryRedirect {
return nil, nil
}
ar.redirectCount += 1
if ar.redirectCount >= redirectMax {
return nil, errors.New("too many redirects")
}
loc, err := resp.Location()
if err != nil {
return nil, err
}
req, err := ar.action.HTTPRequest()
if err != nil {
return nil, err
}
req.URL = loc
return req, nil
}
func (ar *actionResolver) one(req *http.Request, cancel <-chan struct{}) (resp *http.Response, body []byte, err error) {
log.V(1).Infof("etcd: sending HTTP request %s %s", req.Method, req.URL)
resp, body, err = ar.requestFunc(req, cancel)
if err != nil {
log.V(1).Infof("etcd: recv error response from %s %s: %v", req.Method, req.URL, err)
return
}
log.V(1).Infof("etcd: recv response from %s %s: %s", req.Method, req.URL, resp.Status)
return
}
type keypairFunc func(certPEMBlock, keyPEMBlock []byte) (cert tls.Certificate, err error)
func buildTLSClientConfig(ca, cert, key []byte, parseKeyPair keypairFunc) (*tls.Config, error) {
if len(cert) == 0 && len(key) == 0 {
return &tls.Config{InsecureSkipVerify: true}, nil
}
tlsCert, err := parseKeyPair(cert, key)
if err != nil {
return nil, err
}
cfg := tls.Config{
Certificates: []tls.Certificate{tlsCert},
}
if len(ca) != 0 {
cp, err := newCertPool(ca)
if err != nil {
return nil, err
}
cfg.RootCAs = cp
}
return &cfg, nil
}
func newCertPool(ca []byte) (*x509.CertPool, error) {
certPool := x509.NewCertPool()
for {
var block *pem.Block
block, ca = pem.Decode(ca)
if block == nil {
break
}
cert, err := x509.ParseCertificate(block.Bytes)
if err != nil {
return nil, err
}
certPool.AddCert(cert)
}
return certPool, nil
}
func ReadTLSConfigFiles(cafile, certfile, keyfile string) (cfg *tls.Config, err error) {
var ca, cert, key []byte
if certfile != "" {
cert, err = ioutil.ReadFile(certfile)
if err != nil {
return
}
}
if keyfile != "" {
key, err = ioutil.ReadFile(keyfile)
if err != nil {
return
}
}
if cafile != "" {
ca, err = ioutil.ReadFile(cafile)
if err != nil {
return
}
}
cfg, err = buildTLSClientConfig(ca, cert, key, tls.X509KeyPair)
return
}