-
Notifications
You must be signed in to change notification settings - Fork 1.4k
/
Copy pathetcdv3.go
573 lines (495 loc) · 19.4 KB
/
etcdv3.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
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
// Copyright (c) 2016-2020 Tigera, Inc. All rights reserved.
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package etcdv3
import (
"context"
"crypto/tls"
"errors"
"fmt"
"strconv"
"strings"
"time"
apiv3 "github.com/projectcalico/api/pkg/apis/projectcalico/v3"
log "github.com/sirupsen/logrus"
"go.etcd.io/etcd/client/pkg/v3/srv"
"go.etcd.io/etcd/client/pkg/v3/transport"
clientv3 "go.etcd.io/etcd/client/v3"
calicotls "github.com/projectcalico/calico/crypto/pkg/tls"
"github.com/projectcalico/calico/libcalico-go/lib/apiconfig"
"github.com/projectcalico/calico/libcalico-go/lib/backend/api"
"github.com/projectcalico/calico/libcalico-go/lib/backend/model"
cerrors "github.com/projectcalico/calico/libcalico-go/lib/errors"
"github.com/projectcalico/calico/libcalico-go/lib/resources"
)
var (
clientTimeout = 10 * time.Second
keepaliveTime = 30 * time.Second
keepaliveTimeout = 10 * time.Second
defaultAllowProfileResourceKey = model.ResourceKey{Name: "projectcalico-default-allow", Kind: apiv3.KindProfile}
)
const (
profilesKey = "/calico/resources/v3/projectcalico.org/profiles/"
defaultAllowProfileKey = "/calico/resources/v3/projectcalico.org/profiles/projectcalico-default-allow"
)
type etcdV3Client struct {
etcdClient *clientv3.Client
}
func NewEtcdV3Client(config *apiconfig.EtcdConfig) (api.Client, error) {
if config.EtcdEndpoints != "" && config.EtcdDiscoverySrv != "" {
log.Warning("Multiple etcd endpoint discovery methods specified in etcdv3 API config")
return nil, errors.New("multiple discovery or bootstrap options specified, use either \"etcdEndpoints\" or \"etcdDiscoverySrv\"")
}
// Split the endpoints into a location slice.
etcdLocation := []string{}
if config.EtcdEndpoints != "" {
etcdLocation = strings.Split(config.EtcdEndpoints, ",")
}
if config.EtcdDiscoverySrv != "" {
srvs, srvErr := srv.GetClient("etcd-client", config.EtcdDiscoverySrv, "")
if srvErr != nil {
return nil, fmt.Errorf("failed to discover etcd endpoints through SRV discovery: %v", srvErr)
}
etcdLocation = srvs.Endpoints
}
if len(etcdLocation) == 0 {
log.Warning("No etcd endpoints specified in etcdv3 API config")
return nil, errors.New("no etcd endpoints specified")
}
// Create the etcd client
// If Etcd Certificate and Key are provided inline through command line argument,
// then the inline values take precedence over the ones in the config file.
// All the three parameters, Certificate, key and CA certificate are to be provided inline for processing.
var tlsConfig *tls.Config
var err error
haveInline := config.EtcdCert != "" || config.EtcdKey != "" || config.EtcdCACert != ""
haveFiles := config.EtcdCertFile != "" || config.EtcdKeyFile != "" || config.EtcdCACertFile != ""
if haveInline && haveFiles {
return nil, fmt.Errorf("Cannot mix inline certificate-key and certificate / key files")
}
if haveInline {
tlsInfo := &TlsInlineCertKey{
CACert: config.EtcdCACert,
Cert: config.EtcdCert,
Key: config.EtcdKey,
}
tlsConfig, err = tlsInfo.ClientConfigInlineCertKey()
}
if haveFiles {
tlsInfo := &transport.TLSInfo{
TrustedCAFile: config.EtcdCACertFile,
CertFile: config.EtcdCertFile,
KeyFile: config.EtcdKeyFile,
}
tlsConfig, err = tlsInfo.ClientConfig()
}
if err != nil {
return nil, fmt.Errorf("could not initialize etcdv3 client: %+v", err)
}
if tlsConfig != nil {
baseTLSConfig := calicotls.NewTLSConfig()
tlsConfig.MaxVersion = baseTLSConfig.MaxVersion
tlsConfig.MinVersion = baseTLSConfig.MinVersion
tlsConfig.CipherSuites = baseTLSConfig.CipherSuites
tlsConfig.CurvePreferences = baseTLSConfig.CurvePreferences
tlsConfig.Renegotiation = baseTLSConfig.Renegotiation
}
// Build the etcdv3 config.
cfg := clientv3.Config{
Endpoints: etcdLocation,
TLS: tlsConfig,
DialTimeout: clientTimeout,
DialKeepAliveTime: keepaliveTime,
DialKeepAliveTimeout: keepaliveTimeout,
}
// Plumb through the username and password if both are configured.
if config.EtcdUsername != "" && config.EtcdPassword != "" {
cfg.Username = config.EtcdUsername
cfg.Password = config.EtcdPassword
}
client, err := clientv3.New(cfg)
if err != nil {
return nil, err
}
return &etcdV3Client{etcdClient: client}, nil
}
// Create an entry in the datastore. If the entry already exists, this will return
// an ErrorResourceAlreadyExists error and the current entry.
func (c *etcdV3Client) Create(ctx context.Context, d *model.KVPair) (*model.KVPair, error) {
logCxt := log.WithFields(log.Fields{"model-etcdKey": d.Key, "value": d.Value, "ttl": d.TTL, "rev": d.Revision})
logCxt.Debug("Processing Create request")
key, value, err := getKeyValueStrings(d)
if err != nil {
return nil, err
}
logCxt = logCxt.WithField("etcdv3-etcdKey", key)
putOpts, err := c.getTTLOption(ctx, d)
if err != nil {
return nil, err
}
// Checking for 0 version of the etcdKey, which means it doesn't exists yet,
// and if it does, get the current value.
logCxt.Debug("Performing etcdv3 transaction for Create request")
txnResp, err := c.etcdClient.Txn(ctx).If(
clientv3.Compare(clientv3.Version(key), "=", 0),
).Then(
clientv3.OpPut(key, value, putOpts...),
).Else(
clientv3.OpGet(key),
).Commit()
if err != nil {
logCxt.WithError(err).Warning("Create failed")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
if !txnResp.Succeeded {
// The resource must already exist. Extract the current newValue and
// return that if possible.
logCxt.Debug("Create transaction failed due to resource already existing")
var existing *model.KVPair
getResp := (*clientv3.GetResponse)(txnResp.Responses[0].GetResponseRange())
if len(getResp.Kvs) != 0 {
existing, _ = etcdToKVPair(d.Key, getResp.Kvs[0])
}
return existing, cerrors.ErrorResourceAlreadyExists{Identifier: d.Key}
}
v, err := model.ParseValue(d.Key, []byte(value))
if err != nil {
return nil, cerrors.ErrorPartialFailure{Err: fmt.Errorf("Unexpected error parsing stored datastore entry '%v': %+v", value, err)}
}
d.Value = v
d.Revision = strconv.FormatInt(txnResp.Header.Revision, 10)
return d, nil
}
// Update an entry in the datastore. If the entry does not exist, this will return
// an ErrorResourceDoesNotExist error. The ResourceVersion must be specified, and if
// incorrect will return an ErrorResourceUpdateConflict error and the current entry.
func (c *etcdV3Client) Update(ctx context.Context, d *model.KVPair) (*model.KVPair, error) {
logCxt := log.WithFields(log.Fields{"model-etcdKey": d.Key, "value": d.Value, "ttl": d.TTL, "rev": d.Revision})
logCxt.Debug("Processing Update request")
key, value, err := getKeyValueStrings(d)
if err != nil {
return nil, err
}
logCxt = logCxt.WithField("etcdv3-etcdKey", key)
opts, err := c.getTTLOption(ctx, d)
if err != nil {
return nil, err
}
// ResourceVersion must be set for an Update.
rev, err := parseRevision(d.Revision)
if err != nil {
return nil, err
}
conds := []clientv3.Cmp{clientv3.Compare(clientv3.ModRevision(key), "=", rev)}
logCxt.Debug("Performing etcdv3 transaction for Update request")
txnResp, err := c.etcdClient.Txn(ctx).If(
conds...,
).Then(
clientv3.OpPut(key, value, opts...),
).Else(
clientv3.OpGet(key),
).Commit()
if err != nil {
logCxt.WithError(err).Warning("Update failed")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
// Etcd V3 does not return an error when compare condition fails we must verify the
// response Succeeded field instead. If the compare did not succeed then check for
// a successful get to return either an UpdateConflict or a ResourceDoesNotExist error.
if !txnResp.Succeeded {
getResp := (*clientv3.GetResponse)(txnResp.Responses[0].GetResponseRange())
if len(getResp.Kvs) == 0 {
logCxt.Debug("Update transaction failed due to resource not existing")
return nil, cerrors.ErrorResourceDoesNotExist{Identifier: d.Key}
}
logCxt.Debug("Update transaction failed due to resource update conflict")
existing, _ := etcdToKVPair(d.Key, getResp.Kvs[0])
return existing, cerrors.ErrorResourceUpdateConflict{Identifier: d.Key}
}
v, err := model.ParseValue(d.Key, []byte(value))
cerrors.PanicIfErrored(err, "Unexpected error parsing stored datastore entry: %v", value)
d.Value = v
d.Revision = strconv.FormatInt(txnResp.Header.Revision, 10)
return d, nil
}
// TODO Remove once we get rid of the v1 client. Apply should no longer be supported
// at least in it's current guise. Apply will need to be handled further up the stack
// by performing a Get/Create or Update to ensure we don't lose certain read-only Metadata.
// It's possible that we will just perform that processing in the clients (e.g. calicoctl),
// but that is to be decided.
func (c *etcdV3Client) Apply(ctx context.Context, d *model.KVPair) (*model.KVPair, error) {
logCxt := log.WithFields(log.Fields{"etcdKey": d.Key, "value": d.Value, "ttl": d.TTL, "rev": d.Revision})
logCxt.Debug("Processing Apply request")
key, value, err := getKeyValueStrings(d)
if err != nil {
return nil, err
}
putOpts, err := c.getTTLOption(ctx, d)
if err != nil {
return nil, err
}
logCxt.Debug("Performing etcdv3 Put for Apply request")
resp, err := c.etcdClient.Put(ctx, key, value, putOpts...)
if err != nil {
logCxt.WithError(err).Warning("Apply failed")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
v, err := model.ParseValue(d.Key, []byte(value))
cerrors.PanicIfErrored(err, "Unexpected error parsing stored datastore entry: %v", value)
d.Value = v
d.Revision = strconv.FormatInt(resp.Header.Revision, 10)
return d, nil
}
func (c *etcdV3Client) DeleteKVP(ctx context.Context, kvp *model.KVPair) (*model.KVPair, error) {
return c.Delete(ctx, kvp.Key, kvp.Revision)
}
// Delete an entry in the datastore. This errors if the entry does not exists.
func (c *etcdV3Client) Delete(ctx context.Context, k model.Key, revision string) (*model.KVPair, error) {
logCxt := log.WithFields(log.Fields{"model-etcdKey": k, "rev": revision})
logCxt.Debug("Processing Delete request")
key, err := model.KeyToDefaultDeletePath(k)
if err != nil {
return nil, err
}
logCxt = logCxt.WithField("etcdv3-etcdKey", key)
conds := []clientv3.Cmp{}
if len(revision) != 0 {
rev, err := parseRevision(revision)
if err != nil {
return nil, err
}
conds = append(conds, clientv3.Compare(clientv3.ModRevision(key), "=", rev))
}
// Perform the delete transaction - note that this is an exact delete, not a prefix delete.
logCxt.Debug("Performing etcdv3 transaction for Delete request")
txnResp, err := c.etcdClient.Txn(ctx).If(
conds...,
).Then(
clientv3.OpDelete(key, clientv3.WithPrevKV()),
).Else(
clientv3.OpGet(key),
).Commit()
if err != nil {
logCxt.WithError(err).Warning("Delete failed")
return nil, cerrors.ErrorDatastoreError{Err: err, Identifier: k}
}
// Transaction did not succeed - which means the ModifiedIndex check failed. We can respond
// with the latest settings.
if !txnResp.Succeeded {
logCxt.Debug("Delete transaction failed due to resource update conflict")
getResp := txnResp.Responses[0].GetResponseRange()
if len(getResp.Kvs) == 0 {
logCxt.Debug("Delete transaction failed due to resource not existing")
return nil, cerrors.ErrorResourceDoesNotExist{Identifier: k}
}
latestValue, err := etcdToKVPair(k, getResp.Kvs[0])
if err != nil {
return nil, err
}
return latestValue, cerrors.ErrorResourceUpdateConflict{Identifier: k}
}
// The delete response should have succeeded since the Get response did.
delResp := txnResp.Responses[0].GetResponseDeleteRange()
if delResp.Deleted == 0 {
logCxt.Debug("Delete transaction failed due to resource not existing")
return nil, cerrors.ErrorResourceDoesNotExist{Identifier: k}
}
// Parse the deleted value. Don't propagate the error in this case since the
// delete did succeed.
previousValue, _ := etcdToKVPair(k, delResp.PrevKvs[0])
return previousValue, nil
}
// Get an entry from the datastore. This errors if the entry does not exist.
func (c *etcdV3Client) Get(ctx context.Context, k model.Key, revision string) (*model.KVPair, error) {
logCxt := log.WithFields(log.Fields{"model-etcdKey": k, "rev": revision})
logCxt.Debug("Processing Get request")
key, err := model.KeyToDefaultPath(k)
if err != nil {
logCxt.Error("Unable to convert model.Key to an etcdv3 etcdKey")
return nil, err
}
logCxt = logCxt.WithField("etcdv3-etcdKey", key)
// Handle the static default-allow profile. Always return the default profile.
if key == defaultAllowProfileKey {
logCxt.Debug("Returning default-allow profile for get")
return resources.DefaultAllowProfile(), nil
}
ops := []clientv3.OpOption{}
if len(revision) != 0 {
rev, err := parseRevision(revision)
if err != nil {
return nil, err
}
ops = append(ops, clientv3.WithRev(rev))
}
logCxt.Debug("Calling Get on etcdv3 client")
resp, err := c.etcdClient.Get(ctx, key, ops...)
if err != nil {
logCxt.WithError(err).Debug("Error returned from etcdv3 client")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
if len(resp.Kvs) == 0 {
logCxt.Debug("No results returned from etcdv3 client")
return nil, cerrors.ErrorResourceDoesNotExist{Identifier: k}
}
return etcdToKVPair(k, resp.Kvs[0])
}
// List entries in the datastore. This may return an empty list of there are
// no entries matching the request in the ListInterface.
func (c *etcdV3Client) List(ctx context.Context, l model.ListInterface, revision string) (*model.KVPairList, error) {
logCxt := log.WithFields(log.Fields{"list-interface": l, "rev": revision})
logCxt.Debug("Processing List request")
// To list entries, we enumerate from the common root based on the supplied IDs, and then filter the results.
key, ops := calculateListKeyAndOptions(logCxt, l)
logCxt = logCxt.WithField("etcdv3-etcdKey", key)
// We may also need to perform a get based on a particular revision.
if len(revision) != 0 {
rev, err := parseRevision(revision)
if err != nil {
return nil, err
}
ops = append(ops, clientv3.WithRev(rev))
}
logCxt.Debug("Calling Get on etcdv3 client")
resp, err := c.etcdClient.Get(ctx, key, ops...)
if err != nil {
logCxt.WithError(err).Debug("Error returned from etcdv3 client")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
logCxt.WithField("numResults", len(resp.Kvs)).Debug("Processing response from etcdv3")
// Filter/process the results.
list := []*model.KVPair{}
for _, p := range resp.Kvs {
if kv := convertListResponse(p, l); kv != nil {
list = append(list, kv)
}
}
// If we're listing profiles, we need to handle the statically defined
// default-allow profile in the resources package.
// We always include the default profile.
if key == profilesKey || key == defaultAllowProfileKey {
list = append(list, resources.DefaultAllowProfile())
}
return &model.KVPairList{
KVPairs: list,
Revision: strconv.FormatInt(resp.Header.Revision, 10),
}, nil
}
func calculateListKeyAndOptions(logCxt *log.Entry, l model.ListInterface) (string, []clientv3.OpOption) {
// - If the final name segment of the name is itself a prefix, then just perform a prefix Get
// using the constructed key.
// - If the etcdKey is actually fully qualified, then perform an exact Get using the constructed
// key.
// - If the etcdKey is not fully qualified then it is a path prefix but the last segment is complete.
// Append a terminating "/" and perform a prefix Get. The terminating / for a prefix Get ensures
// for a prefix of "/a" we only return "child entries" of "/a" such as "/a/x" and not siblings
// such as "/ab".
key := model.ListOptionsToDefaultPathRoot(l)
var ops []clientv3.OpOption
if model.IsListOptionsLastSegmentPrefix(l) {
// The last segment is a prefix, perform a prefix Get without adding a segment
// delimiter.
logCxt.Debug("List options is a name prefix, don't add a / to the path")
ops = append(ops, clientv3.WithPrefix())
} else if !model.ListOptionsIsFullyQualified(l) {
// The etcdKey not a fully qualified etcdKey - it must be a prefix.
logCxt.Debug("List options is a parent prefix, ensure path ends in /")
if !strings.HasSuffix(key, "/") {
logCxt.Debug("Adding / to path")
key += "/"
}
ops = append(ops, clientv3.WithPrefix())
}
return key, ops
}
// EnsureInitialized makes sure that the etcd data is initialized for use by
// Calico.
func (c *etcdV3Client) EnsureInitialized() error {
//TODO - still need to worry about ready flag.
return nil
}
// Clean removes all of the Calico data from the datastore.
func (c *etcdV3Client) Clean() error {
log.Debug("Cleaning etcdv3 datastore of all Calico data")
_, err := c.etcdClient.Txn(context.Background()).If().Then(
clientv3.OpDelete("/calico/", clientv3.WithPrefix()),
).Commit()
if err != nil {
return cerrors.ErrorDatastoreError{Err: err}
}
return nil
}
// IsClean() returns true if there are no /calico/ prefixed entries in the
// datastore. This is not part of the exposed API, but is public to allow
// direct consumers of the backend API to access this.
func (c *etcdV3Client) IsClean() (bool, error) {
log.Debug("Calling Get on etcdv3 client")
resp, err := c.etcdClient.Get(context.Background(), "/calico/", clientv3.WithPrefix())
if err != nil {
log.WithError(err).Debug("Error returned from etcdv3 client")
return false, cerrors.ErrorDatastoreError{Err: err}
}
// The datastore is clean if no results were enumerated.
return len(resp.Kvs) == 0, nil
}
// getTTLOption returns a OpOption slice containing a Lease granted for the TTL.
func (c *etcdV3Client) getTTLOption(ctx context.Context, d *model.KVPair) ([]clientv3.OpOption, error) {
putOpts := []clientv3.OpOption{}
if d.TTL != 0 {
resp, err := c.etcdClient.Lease.Grant(ctx, int64(d.TTL.Seconds()))
if err != nil {
log.WithError(err).Error("Failed to grant a lease")
return nil, cerrors.ErrorDatastoreError{Err: err}
}
putOpts = append(putOpts, clientv3.WithLease(resp.ID))
}
return putOpts, nil
}
// getKeyValueStrings returns the etcdv3 etcdKey and serialized value calculated from the
// KVPair.
func getKeyValueStrings(d *model.KVPair) (string, string, error) {
logCxt := log.WithFields(log.Fields{"model-etcdKey": d.Key, "value": d.Value})
key, err := model.KeyToDefaultPath(d.Key)
if err != nil {
logCxt.WithError(err).Error("Failed to convert model-etcdKey to etcdv3 etcdKey")
return "", "", cerrors.ErrorDatastoreError{
Err: err,
Identifier: d.Key,
}
}
bytes, err := model.SerializeValue(d)
if err != nil {
logCxt.WithError(err).Error("Failed to serialize value")
return "", "", cerrors.ErrorDatastoreError{
Err: err,
Identifier: d.Key,
}
}
return key, string(bytes), nil
}
// parseRevision parses the model.KVPair revision string and converts to the
// equivalent etcdv3 int64 value.
func parseRevision(revs string) (int64, error) {
rev, err := strconv.ParseInt(revs, 10, 64)
if err != nil {
log.WithField("Revision", revs).Debug("Unable to parse Revision")
return 0, cerrors.ErrorValidation{
ErroredFields: []cerrors.ErroredField{
{
Name: "ResourceVersion",
Value: revs,
},
},
}
}
return rev, nil
}