blob: 1014ada38b1df475ab2214854c2fc4ec471cf555 [file] [log] [blame]
divyadesai19009132020-03-04 12:58:08 +00001/*
2 * Copyright 2018-present Open Networking Foundation
3
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7
8 * http://www.apache.org/licenses/LICENSE-2.0
9
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16package kvstore
17
18import (
19 "context"
20 "errors"
21 "fmt"
22 "sync"
23
24 "github.com/opencord/voltha-lib-go/v3/pkg/log"
25 v3Client "go.etcd.io/etcd/clientv3"
26 v3Concurrency "go.etcd.io/etcd/clientv3/concurrency"
27 v3rpcTypes "go.etcd.io/etcd/etcdserver/api/v3rpc/rpctypes"
28)
29
30// EtcdClient represents the Etcd KV store client
31type EtcdClient struct {
32 ectdAPI *v3Client.Client
33 keyReservations map[string]*v3Client.LeaseID
34 watchedChannels sync.Map
35 writeLock sync.Mutex
36 lockToMutexMap map[string]*v3Concurrency.Mutex
37 lockToSessionMap map[string]*v3Concurrency.Session
38 lockToMutexLock sync.Mutex
39}
40
41// NewEtcdClient returns a new client for the Etcd KV store
42func NewEtcdClient(addr string, timeout int) (*EtcdClient, error) {
43 duration := GetDuration(timeout)
44
45 c, err := v3Client.New(v3Client.Config{
46 Endpoints: []string{addr},
47 DialTimeout: duration,
48 })
49 if err != nil {
50 logger.Error(err)
51 return nil, err
52 }
53
54 reservations := make(map[string]*v3Client.LeaseID)
55 lockMutexMap := make(map[string]*v3Concurrency.Mutex)
56 lockSessionMap := make(map[string]*v3Concurrency.Session)
57
58 return &EtcdClient{ectdAPI: c, keyReservations: reservations, lockToMutexMap: lockMutexMap,
59 lockToSessionMap: lockSessionMap}, nil
60}
61
62// IsConnectionUp returns whether the connection to the Etcd KV store is up. If a timeout occurs then
63// it is assumed the connection is down or unreachable.
64func (c *EtcdClient) IsConnectionUp(ctx context.Context) bool {
65 // Let's try to get a non existent key. If the connection is up then there will be no error returned.
66 if _, err := c.Get(ctx, "non-existent-key"); err != nil {
67 return false
68 }
69 //cancel()
70 return true
71}
72
73// List returns an array of key-value pairs with key as a prefix. Timeout defines how long the function will
74// wait for a response
75func (c *EtcdClient) List(ctx context.Context, key string) (map[string]*KVPair, error) {
76 resp, err := c.ectdAPI.Get(ctx, key, v3Client.WithPrefix())
77 if err != nil {
78 logger.Error(err)
79 return nil, err
80 }
81 m := make(map[string]*KVPair)
82 for _, ev := range resp.Kvs {
83 m[string(ev.Key)] = NewKVPair(string(ev.Key), ev.Value, "", ev.Lease, ev.Version)
84 }
85 return m, nil
86}
87
88// Get returns a key-value pair for a given key. Timeout defines how long the function will
89// wait for a response
90func (c *EtcdClient) Get(ctx context.Context, key string) (*KVPair, error) {
91
92 resp, err := c.ectdAPI.Get(ctx, key)
93
94 if err != nil {
95 logger.Error(err)
96 return nil, err
97 }
98 for _, ev := range resp.Kvs {
99 // Only one value is returned
100 return NewKVPair(string(ev.Key), ev.Value, "", ev.Lease, ev.Version), nil
101 }
102 return nil, nil
103}
104
105// Put writes a key-value pair to the KV store. Value can only be a string or []byte since the etcd API
106// accepts only a string as a value for a put operation. Timeout defines how long the function will
107// wait for a response
108func (c *EtcdClient) Put(ctx context.Context, key string, value interface{}) error {
109
110 // Validate that we can convert value to a string as etcd API expects a string
111 var val string
112 var er error
113 if val, er = ToString(value); er != nil {
114 return fmt.Errorf("unexpected-type-%T", value)
115 }
116
117 c.writeLock.Lock()
118 defer c.writeLock.Unlock()
119
120 var err error
121 // Check if there is already a lease for this key - if there is then use it, otherwise a PUT will make
122 // that KV key permanent instead of automatically removing it after a lease expiration
123 if leaseID, ok := c.keyReservations[key]; ok {
124 _, err = c.ectdAPI.Put(ctx, key, val, v3Client.WithLease(*leaseID))
125 } else {
126 _, err = c.ectdAPI.Put(ctx, key, val)
127 }
128
129 if err != nil {
130 switch err {
131 case context.Canceled:
132 logger.Warnw("context-cancelled", log.Fields{"error": err})
133 case context.DeadlineExceeded:
134 logger.Warnw("context-deadline-exceeded", log.Fields{"error": err})
135 case v3rpcTypes.ErrEmptyKey:
136 logger.Warnw("etcd-client-error", log.Fields{"error": err})
137 default:
138 logger.Warnw("bad-endpoints", log.Fields{"error": err})
139 }
140 return err
141 }
142 return nil
143}
144
145// Delete removes a key from the KV store. Timeout defines how long the function will
146// wait for a response
147func (c *EtcdClient) Delete(ctx context.Context, key string) error {
148
149 c.writeLock.Lock()
150 defer c.writeLock.Unlock()
151
152 // delete the key
153 if _, err := c.ectdAPI.Delete(ctx, key); err != nil {
154 logger.Errorw("failed-to-delete-key", log.Fields{"key": key, "error": err})
155 return err
156 }
157 logger.Debugw("key(s)-deleted", log.Fields{"key": key})
158 return nil
159}
160
161// Reserve is invoked to acquire a key and set it to a given value. Value can only be a string or []byte since
162// the etcd API accepts only a string. Timeout defines how long the function will wait for a response. TTL
163// defines how long that reservation is valid. When TTL expires the key is unreserved by the KV store itself.
164// If the key is acquired then the value returned will be the value passed in. If the key is already acquired
165// then the value assigned to that key will be returned.
166func (c *EtcdClient) Reserve(ctx context.Context, key string, value interface{}, ttl int64) (interface{}, error) {
167 // Validate that we can convert value to a string as etcd API expects a string
168 var val string
169 var er error
170 if val, er = ToString(value); er != nil {
171 return nil, fmt.Errorf("unexpected-type%T", value)
172 }
173
174 resp, err := c.ectdAPI.Grant(ctx, ttl)
175 if err != nil {
176 logger.Error(err)
177 return nil, err
178 }
179 // Register the lease id
180 c.writeLock.Lock()
181 c.keyReservations[key] = &resp.ID
182 c.writeLock.Unlock()
183
184 // Revoke lease if reservation is not successful
185 reservationSuccessful := false
186 defer func() {
187 if !reservationSuccessful {
188 if err = c.ReleaseReservation(context.Background(), key); err != nil {
189 logger.Error("cannot-release-lease")
190 }
191 }
192 }()
193
194 // Try to grap the Key with the above lease
195 c.ectdAPI.Txn(context.Background())
196 txn := c.ectdAPI.Txn(context.Background())
197 txn = txn.If(v3Client.Compare(v3Client.Version(key), "=", 0))
198 txn = txn.Then(v3Client.OpPut(key, val, v3Client.WithLease(resp.ID)))
199 txn = txn.Else(v3Client.OpGet(key))
200 result, er := txn.Commit()
201 if er != nil {
202 return nil, er
203 }
204
205 if !result.Succeeded {
206 // Verify whether we are already the owner of that Key
207 if len(result.Responses) > 0 &&
208 len(result.Responses[0].GetResponseRange().Kvs) > 0 {
209 kv := result.Responses[0].GetResponseRange().Kvs[0]
210 if string(kv.Value) == val {
211 reservationSuccessful = true
212 return value, nil
213 }
214 return kv.Value, nil
215 }
216 } else {
217 // Read the Key to ensure this is our Key
218 m, err := c.Get(ctx, key)
219 if err != nil {
220 return nil, err
221 }
222 if m != nil {
223 if m.Key == key && isEqual(m.Value, value) {
224 // My reservation is successful - register it. For now, support is only for 1 reservation per key
225 // per session.
226 reservationSuccessful = true
227 return value, nil
228 }
229 // My reservation has failed. Return the owner of that key
230 return m.Value, nil
231 }
232 }
233 return nil, nil
234}
235
236// ReleaseAllReservations releases all key reservations previously made (using Reserve API)
237func (c *EtcdClient) ReleaseAllReservations(ctx context.Context) error {
238 c.writeLock.Lock()
239 defer c.writeLock.Unlock()
240
241 for key, leaseID := range c.keyReservations {
242 _, err := c.ectdAPI.Revoke(ctx, *leaseID)
243 if err != nil {
244 logger.Errorw("cannot-release-reservation", log.Fields{"key": key, "error": err})
245 return err
246 }
247 delete(c.keyReservations, key)
248 }
249 return nil
250}
251
252// ReleaseReservation releases reservation for a specific key.
253func (c *EtcdClient) ReleaseReservation(ctx context.Context, key string) error {
254 // Get the leaseid using the key
255 logger.Debugw("Release-reservation", log.Fields{"key": key})
256 var ok bool
257 var leaseID *v3Client.LeaseID
258 c.writeLock.Lock()
259 defer c.writeLock.Unlock()
260 if leaseID, ok = c.keyReservations[key]; !ok {
261 return nil
262 }
263
264 if leaseID != nil {
265 _, err := c.ectdAPI.Revoke(ctx, *leaseID)
266 if err != nil {
267 logger.Error(err)
268 return err
269 }
270 delete(c.keyReservations, key)
271 }
272 return nil
273}
274
275// RenewReservation renews a reservation. A reservation will go stale after the specified TTL (Time To Live)
276// period specified when reserving the key
277func (c *EtcdClient) RenewReservation(ctx context.Context, key string) error {
278 // Get the leaseid using the key
279 var ok bool
280 var leaseID *v3Client.LeaseID
281 c.writeLock.Lock()
282 defer c.writeLock.Unlock()
283 if leaseID, ok = c.keyReservations[key]; !ok {
284 return errors.New("key-not-reserved")
285 }
286
287 if leaseID != nil {
288 _, err := c.ectdAPI.KeepAliveOnce(ctx, *leaseID)
289 if err != nil {
290 logger.Errorw("lease-may-have-expired", log.Fields{"error": err})
291 return err
292 }
293 } else {
294 return errors.New("lease-expired")
295 }
296 return nil
297}
298
299// Watch provides the watch capability on a given key. It returns a channel onto which the callee needs to
300// listen to receive Events.
301func (c *EtcdClient) Watch(ctx context.Context, key string, withPrefix bool) chan *Event {
302 w := v3Client.NewWatcher(c.ectdAPI)
303 ctx, cancel := context.WithCancel(ctx)
304 var channel v3Client.WatchChan
305 if withPrefix {
306 channel = w.Watch(ctx, key, v3Client.WithPrefix())
307 } else {
308 channel = w.Watch(ctx, key)
309 }
310
311 // Create a new channel
312 ch := make(chan *Event, maxClientChannelBufferSize)
313
314 // Keep track of the created channels so they can be closed when required
315 channelMap := make(map[chan *Event]v3Client.Watcher)
316 channelMap[ch] = w
317
318 channelMaps := c.addChannelMap(key, channelMap)
319
320 // Changing the log field (from channelMaps) as the underlying logger cannot format the map of channels into a
321 // json format.
322 logger.Debugw("watched-channels", log.Fields{"len": len(channelMaps)})
323 // Launch a go routine to listen for updates
324 go c.listenForKeyChange(channel, ch, cancel)
325
326 return ch
327
328}
329
330func (c *EtcdClient) addChannelMap(key string, channelMap map[chan *Event]v3Client.Watcher) []map[chan *Event]v3Client.Watcher {
331 var channels interface{}
332 var exists bool
333
334 if channels, exists = c.watchedChannels.Load(key); exists {
335 channels = append(channels.([]map[chan *Event]v3Client.Watcher), channelMap)
336 } else {
337 channels = []map[chan *Event]v3Client.Watcher{channelMap}
338 }
339 c.watchedChannels.Store(key, channels)
340
341 return channels.([]map[chan *Event]v3Client.Watcher)
342}
343
344func (c *EtcdClient) removeChannelMap(key string, pos int) []map[chan *Event]v3Client.Watcher {
345 var channels interface{}
346 var exists bool
347
348 if channels, exists = c.watchedChannels.Load(key); exists {
349 channels = append(channels.([]map[chan *Event]v3Client.Watcher)[:pos], channels.([]map[chan *Event]v3Client.Watcher)[pos+1:]...)
350 c.watchedChannels.Store(key, channels)
351 }
352
353 return channels.([]map[chan *Event]v3Client.Watcher)
354}
355
356func (c *EtcdClient) getChannelMaps(key string) ([]map[chan *Event]v3Client.Watcher, bool) {
357 var channels interface{}
358 var exists bool
359
360 channels, exists = c.watchedChannels.Load(key)
361
362 if channels == nil {
363 return nil, exists
364 }
365
366 return channels.([]map[chan *Event]v3Client.Watcher), exists
367}
368
369// CloseWatch closes a specific watch. Both the key and the channel are required when closing a watch as there
370// may be multiple listeners on the same key. The previously created channel serves as a key
371func (c *EtcdClient) CloseWatch(key string, ch chan *Event) {
372 // Get the array of channels mapping
373 var watchedChannels []map[chan *Event]v3Client.Watcher
374 var ok bool
375 c.writeLock.Lock()
376 defer c.writeLock.Unlock()
377
378 if watchedChannels, ok = c.getChannelMaps(key); !ok {
379 logger.Warnw("key-has-no-watched-channels", log.Fields{"key": key})
380 return
381 }
382 // Look for the channels
383 var pos = -1
384 for i, chMap := range watchedChannels {
385 if t, ok := chMap[ch]; ok {
386 logger.Debug("channel-found")
387 // Close the etcd watcher before the client channel. This should close the etcd channel as well
388 if err := t.Close(); err != nil {
389 logger.Errorw("watcher-cannot-be-closed", log.Fields{"key": key, "error": err})
390 }
391 pos = i
392 break
393 }
394 }
395
396 channelMaps, _ := c.getChannelMaps(key)
397 // Remove that entry if present
398 if pos >= 0 {
399 channelMaps = c.removeChannelMap(key, pos)
400 }
401 logger.Infow("watcher-channel-exiting", log.Fields{"key": key, "channel": channelMaps})
402}
403
404func (c *EtcdClient) listenForKeyChange(channel v3Client.WatchChan, ch chan<- *Event, cancel context.CancelFunc) {
405 logger.Debug("start-listening-on-channel ...")
406 defer cancel()
407 defer close(ch)
408 for resp := range channel {
409 for _, ev := range resp.Events {
410 ch <- NewEvent(getEventType(ev), ev.Kv.Key, ev.Kv.Value, ev.Kv.Version)
411 }
412 }
413 logger.Debug("stop-listening-on-channel ...")
414}
415
416func getEventType(event *v3Client.Event) int {
417 switch event.Type {
418 case v3Client.EventTypePut:
419 return PUT
420 case v3Client.EventTypeDelete:
421 return DELETE
422 }
423 return UNKNOWN
424}
425
426// Close closes the KV store client
427func (c *EtcdClient) Close() {
428 c.writeLock.Lock()
429 defer c.writeLock.Unlock()
430 if err := c.ectdAPI.Close(); err != nil {
431 logger.Errorw("error-closing-client", log.Fields{"error": err})
432 }
433}
434
435func (c *EtcdClient) addLockName(lockName string, lock *v3Concurrency.Mutex, session *v3Concurrency.Session) {
436 c.lockToMutexLock.Lock()
437 defer c.lockToMutexLock.Unlock()
438 c.lockToMutexMap[lockName] = lock
439 c.lockToSessionMap[lockName] = session
440}
441
442func (c *EtcdClient) deleteLockName(lockName string) {
443 c.lockToMutexLock.Lock()
444 defer c.lockToMutexLock.Unlock()
445 delete(c.lockToMutexMap, lockName)
446 delete(c.lockToSessionMap, lockName)
447}
448
449func (c *EtcdClient) getLock(lockName string) (*v3Concurrency.Mutex, *v3Concurrency.Session) {
450 c.lockToMutexLock.Lock()
451 defer c.lockToMutexLock.Unlock()
452 var lock *v3Concurrency.Mutex
453 var session *v3Concurrency.Session
454 if l, exist := c.lockToMutexMap[lockName]; exist {
455 lock = l
456 }
457 if s, exist := c.lockToSessionMap[lockName]; exist {
458 session = s
459 }
460 return lock, session
461}
462
463func (c *EtcdClient) AcquireLock(ctx context.Context, lockName string, timeout int) error {
464 session, _ := v3Concurrency.NewSession(c.ectdAPI, v3Concurrency.WithContext(ctx))
465 mu := v3Concurrency.NewMutex(session, "/devicelock_"+lockName)
466 if err := mu.Lock(context.Background()); err != nil {
467 //cancel()
468 return err
469 }
470 c.addLockName(lockName, mu, session)
471 return nil
472}
473
474func (c *EtcdClient) ReleaseLock(lockName string) error {
475 lock, session := c.getLock(lockName)
476 var err error
477 if lock != nil {
478 if e := lock.Unlock(context.Background()); e != nil {
479 err = e
480 }
481 }
482 if session != nil {
483 if e := session.Close(); e != nil {
484 err = e
485 }
486 }
487 c.deleteLockName(lockName)
488
489 return err
490}