blob: 8d4a46240a65e7a62ddfe3efa1ecc4c35b95a671 [file] [log] [blame]
William Kurkianea869482019-04-09 15:16:11 -04001/*
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"
npujarec5762e2020-01-01 14:08:48 +053022 "sync"
Neha Sharmacc656962020-04-14 14:26:11 +000023 "time"
npujarec5762e2020-01-01 14:08:48 +053024
Esin Karamanccb714b2019-11-29 15:02:06 +000025 "github.com/opencord/voltha-lib-go/v3/pkg/log"
William Kurkianea869482019-04-09 15:16:11 -040026 v3Client "go.etcd.io/etcd/clientv3"
27 v3Concurrency "go.etcd.io/etcd/clientv3/concurrency"
28 v3rpcTypes "go.etcd.io/etcd/etcdserver/api/v3rpc/rpctypes"
William Kurkianea869482019-04-09 15:16:11 -040029)
30
31// EtcdClient represents the Etcd KV store client
32type EtcdClient struct {
divyadesaid26f6b12020-03-19 06:30:28 +000033 ectdAPI *v3Client.Client
34 keyReservations map[string]*v3Client.LeaseID
35 watchedChannels sync.Map
36 keyReservationsLock sync.RWMutex
37 lockToMutexMap map[string]*v3Concurrency.Mutex
38 lockToSessionMap map[string]*v3Concurrency.Session
39 lockToMutexLock sync.Mutex
William Kurkianea869482019-04-09 15:16:11 -040040}
41
42// NewEtcdClient returns a new client for the Etcd KV store
Neha Sharmacc656962020-04-14 14:26:11 +000043func NewEtcdClient(addr string, timeout time.Duration, level log.LogLevel) (*EtcdClient, error) {
Scott Bakered4a8e72020-04-17 11:10:20 -070044 logconfig := log.ConstructZapConfig(log.JSON, level, log.Fields{})
William Kurkianea869482019-04-09 15:16:11 -040045
46 c, err := v3Client.New(v3Client.Config{
47 Endpoints: []string{addr},
Neha Sharmacc656962020-04-14 14:26:11 +000048 DialTimeout: timeout,
Scott Bakered4a8e72020-04-17 11:10:20 -070049 LogConfig: &logconfig,
William Kurkianea869482019-04-09 15:16:11 -040050 })
51 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +000052 logger.Error(err)
William Kurkianea869482019-04-09 15:16:11 -040053 return nil, err
54 }
55
56 reservations := make(map[string]*v3Client.LeaseID)
57 lockMutexMap := make(map[string]*v3Concurrency.Mutex)
58 lockSessionMap := make(map[string]*v3Concurrency.Session)
59
60 return &EtcdClient{ectdAPI: c, keyReservations: reservations, lockToMutexMap: lockMutexMap,
61 lockToSessionMap: lockSessionMap}, nil
62}
63
Devmalya Paul495b94a2019-08-27 19:42:00 -040064// IsConnectionUp returns whether the connection to the Etcd KV store is up. If a timeout occurs then
65// it is assumed the connection is down or unreachable.
npujarec5762e2020-01-01 14:08:48 +053066func (c *EtcdClient) IsConnectionUp(ctx context.Context) bool {
Devmalya Paul495b94a2019-08-27 19:42:00 -040067 // Let's try to get a non existent key. If the connection is up then there will be no error returned.
npujarec5762e2020-01-01 14:08:48 +053068 if _, err := c.Get(ctx, "non-existent-key"); err != nil {
Devmalya Paul495b94a2019-08-27 19:42:00 -040069 return false
70 }
npujarec5762e2020-01-01 14:08:48 +053071 //cancel()
Devmalya Paul495b94a2019-08-27 19:42:00 -040072 return true
73}
74
William Kurkianea869482019-04-09 15:16:11 -040075// List returns an array of key-value pairs with key as a prefix. Timeout defines how long the function will
76// wait for a response
npujarec5762e2020-01-01 14:08:48 +053077func (c *EtcdClient) List(ctx context.Context, key string) (map[string]*KVPair, error) {
William Kurkianea869482019-04-09 15:16:11 -040078 resp, err := c.ectdAPI.Get(ctx, key, v3Client.WithPrefix())
William Kurkianea869482019-04-09 15:16:11 -040079 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +000080 logger.Error(err)
William Kurkianea869482019-04-09 15:16:11 -040081 return nil, err
82 }
83 m := make(map[string]*KVPair)
84 for _, ev := range resp.Kvs {
Manikkaraj kb1d51442019-07-23 10:41:02 -040085 m[string(ev.Key)] = NewKVPair(string(ev.Key), ev.Value, "", ev.Lease, ev.Version)
William Kurkianea869482019-04-09 15:16:11 -040086 }
87 return m, nil
88}
89
90// Get returns a key-value pair for a given key. Timeout defines how long the function will
91// wait for a response
npujarec5762e2020-01-01 14:08:48 +053092func (c *EtcdClient) Get(ctx context.Context, key string) (*KVPair, error) {
William Kurkianea869482019-04-09 15:16:11 -040093
William Kurkianea869482019-04-09 15:16:11 -040094 resp, err := c.ectdAPI.Get(ctx, key)
npujarec5762e2020-01-01 14:08:48 +053095
William Kurkianea869482019-04-09 15:16:11 -040096 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +000097 logger.Error(err)
William Kurkianea869482019-04-09 15:16:11 -040098 return nil, err
99 }
100 for _, ev := range resp.Kvs {
101 // Only one value is returned
Manikkaraj kb1d51442019-07-23 10:41:02 -0400102 return NewKVPair(string(ev.Key), ev.Value, "", ev.Lease, ev.Version), nil
William Kurkianea869482019-04-09 15:16:11 -0400103 }
104 return nil, nil
105}
106
107// Put writes a key-value pair to the KV store. Value can only be a string or []byte since the etcd API
108// accepts only a string as a value for a put operation. Timeout defines how long the function will
109// wait for a response
npujarec5762e2020-01-01 14:08:48 +0530110func (c *EtcdClient) Put(ctx context.Context, key string, value interface{}) error {
William Kurkianea869482019-04-09 15:16:11 -0400111
112 // Validate that we can convert value to a string as etcd API expects a string
113 var val string
114 var er error
115 if val, er = ToString(value); er != nil {
116 return fmt.Errorf("unexpected-type-%T", value)
117 }
118
kdarapub26b4502019-10-05 03:02:33 +0530119 var err error
120 // Check if there is already a lease for this key - if there is then use it, otherwise a PUT will make
121 // that KV key permanent instead of automatically removing it after a lease expiration
divyadesaid26f6b12020-03-19 06:30:28 +0000122 c.keyReservationsLock.RLock()
123 leaseID, ok := c.keyReservations[key]
124 c.keyReservationsLock.RUnlock()
125 if ok {
kdarapub26b4502019-10-05 03:02:33 +0530126 _, err = c.ectdAPI.Put(ctx, key, val, v3Client.WithLease(*leaseID))
127 } else {
128 _, err = c.ectdAPI.Put(ctx, key, val)
129 }
npujarec5762e2020-01-01 14:08:48 +0530130
William Kurkianea869482019-04-09 15:16:11 -0400131 if err != nil {
132 switch err {
133 case context.Canceled:
Esin Karamanccb714b2019-11-29 15:02:06 +0000134 logger.Warnw("context-cancelled", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400135 case context.DeadlineExceeded:
Esin Karamanccb714b2019-11-29 15:02:06 +0000136 logger.Warnw("context-deadline-exceeded", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400137 case v3rpcTypes.ErrEmptyKey:
Esin Karamanccb714b2019-11-29 15:02:06 +0000138 logger.Warnw("etcd-client-error", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400139 default:
Esin Karamanccb714b2019-11-29 15:02:06 +0000140 logger.Warnw("bad-endpoints", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400141 }
142 return err
143 }
144 return nil
145}
146
147// Delete removes a key from the KV store. Timeout defines how long the function will
148// wait for a response
npujarec5762e2020-01-01 14:08:48 +0530149func (c *EtcdClient) Delete(ctx context.Context, key string) error {
William Kurkianea869482019-04-09 15:16:11 -0400150
kdarapub26b4502019-10-05 03:02:33 +0530151 // delete the key
152 if _, err := c.ectdAPI.Delete(ctx, key); err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000153 logger.Errorw("failed-to-delete-key", log.Fields{"key": key, "error": err})
William Kurkianea869482019-04-09 15:16:11 -0400154 return err
155 }
Esin Karamanccb714b2019-11-29 15:02:06 +0000156 logger.Debugw("key(s)-deleted", log.Fields{"key": key})
William Kurkianea869482019-04-09 15:16:11 -0400157 return nil
158}
159
160// Reserve is invoked to acquire a key and set it to a given value. Value can only be a string or []byte since
161// the etcd API accepts only a string. Timeout defines how long the function will wait for a response. TTL
162// defines how long that reservation is valid. When TTL expires the key is unreserved by the KV store itself.
163// If the key is acquired then the value returned will be the value passed in. If the key is already acquired
164// then the value assigned to that key will be returned.
Neha Sharmacc656962020-04-14 14:26:11 +0000165func (c *EtcdClient) Reserve(ctx context.Context, key string, value interface{}, ttl time.Duration) (interface{}, error) {
William Kurkianea869482019-04-09 15:16:11 -0400166 // Validate that we can convert value to a string as etcd API expects a string
167 var val string
168 var er error
169 if val, er = ToString(value); er != nil {
170 return nil, fmt.Errorf("unexpected-type%T", value)
171 }
172
Neha Sharmacc656962020-04-14 14:26:11 +0000173 resp, err := c.ectdAPI.Grant(ctx, int64(ttl.Seconds()))
William Kurkianea869482019-04-09 15:16:11 -0400174 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000175 logger.Error(err)
William Kurkianea869482019-04-09 15:16:11 -0400176 return nil, err
177 }
178 // Register the lease id
divyadesaid26f6b12020-03-19 06:30:28 +0000179 c.keyReservationsLock.Lock()
William Kurkianea869482019-04-09 15:16:11 -0400180 c.keyReservations[key] = &resp.ID
divyadesaid26f6b12020-03-19 06:30:28 +0000181 c.keyReservationsLock.Unlock()
William Kurkianea869482019-04-09 15:16:11 -0400182
183 // Revoke lease if reservation is not successful
184 reservationSuccessful := false
185 defer func() {
186 if !reservationSuccessful {
npujarec5762e2020-01-01 14:08:48 +0530187 if err = c.ReleaseReservation(context.Background(), key); err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000188 logger.Error("cannot-release-lease")
William Kurkianea869482019-04-09 15:16:11 -0400189 }
190 }
191 }()
192
193 // Try to grap the Key with the above lease
194 c.ectdAPI.Txn(context.Background())
195 txn := c.ectdAPI.Txn(context.Background())
196 txn = txn.If(v3Client.Compare(v3Client.Version(key), "=", 0))
197 txn = txn.Then(v3Client.OpPut(key, val, v3Client.WithLease(resp.ID)))
198 txn = txn.Else(v3Client.OpGet(key))
199 result, er := txn.Commit()
200 if er != nil {
201 return nil, er
202 }
203
204 if !result.Succeeded {
205 // Verify whether we are already the owner of that Key
206 if len(result.Responses) > 0 &&
207 len(result.Responses[0].GetResponseRange().Kvs) > 0 {
208 kv := result.Responses[0].GetResponseRange().Kvs[0]
209 if string(kv.Value) == val {
210 reservationSuccessful = true
211 return value, nil
212 }
213 return kv.Value, nil
214 }
215 } else {
216 // Read the Key to ensure this is our Key
npujarec5762e2020-01-01 14:08:48 +0530217 m, err := c.Get(ctx, key)
William Kurkianea869482019-04-09 15:16:11 -0400218 if err != nil {
219 return nil, err
220 }
221 if m != nil {
222 if m.Key == key && isEqual(m.Value, value) {
223 // My reservation is successful - register it. For now, support is only for 1 reservation per key
224 // per session.
225 reservationSuccessful = true
226 return value, nil
227 }
228 // My reservation has failed. Return the owner of that key
229 return m.Value, nil
230 }
231 }
232 return nil, nil
233}
234
235// ReleaseAllReservations releases all key reservations previously made (using Reserve API)
npujarec5762e2020-01-01 14:08:48 +0530236func (c *EtcdClient) ReleaseAllReservations(ctx context.Context) error {
divyadesaid26f6b12020-03-19 06:30:28 +0000237 c.keyReservationsLock.Lock()
238 defer c.keyReservationsLock.Unlock()
cbabu95f21522019-11-13 14:25:18 +0100239
William Kurkianea869482019-04-09 15:16:11 -0400240 for key, leaseID := range c.keyReservations {
cbabu95f21522019-11-13 14:25:18 +0100241 _, err := c.ectdAPI.Revoke(ctx, *leaseID)
William Kurkianea869482019-04-09 15:16:11 -0400242 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000243 logger.Errorw("cannot-release-reservation", log.Fields{"key": key, "error": err})
William Kurkianea869482019-04-09 15:16:11 -0400244 return err
245 }
246 delete(c.keyReservations, key)
247 }
248 return nil
249}
250
251// ReleaseReservation releases reservation for a specific key.
npujarec5762e2020-01-01 14:08:48 +0530252func (c *EtcdClient) ReleaseReservation(ctx context.Context, key string) error {
William Kurkianea869482019-04-09 15:16:11 -0400253 // Get the leaseid using the key
Esin Karamanccb714b2019-11-29 15:02:06 +0000254 logger.Debugw("Release-reservation", log.Fields{"key": key})
William Kurkianea869482019-04-09 15:16:11 -0400255 var ok bool
256 var leaseID *v3Client.LeaseID
divyadesaid26f6b12020-03-19 06:30:28 +0000257 c.keyReservationsLock.Lock()
258 defer c.keyReservationsLock.Unlock()
William Kurkianea869482019-04-09 15:16:11 -0400259 if leaseID, ok = c.keyReservations[key]; !ok {
260 return nil
261 }
cbabu95f21522019-11-13 14:25:18 +0100262
William Kurkianea869482019-04-09 15:16:11 -0400263 if leaseID != nil {
cbabu95f21522019-11-13 14:25:18 +0100264 _, err := c.ectdAPI.Revoke(ctx, *leaseID)
William Kurkianea869482019-04-09 15:16:11 -0400265 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000266 logger.Error(err)
William Kurkianea869482019-04-09 15:16:11 -0400267 return err
268 }
269 delete(c.keyReservations, key)
270 }
271 return nil
272}
273
274// RenewReservation renews a reservation. A reservation will go stale after the specified TTL (Time To Live)
275// period specified when reserving the key
npujarec5762e2020-01-01 14:08:48 +0530276func (c *EtcdClient) RenewReservation(ctx context.Context, key string) error {
William Kurkianea869482019-04-09 15:16:11 -0400277 // Get the leaseid using the key
278 var ok bool
279 var leaseID *v3Client.LeaseID
divyadesaid26f6b12020-03-19 06:30:28 +0000280 c.keyReservationsLock.RLock()
281 leaseID, ok = c.keyReservations[key]
282 c.keyReservationsLock.RUnlock()
283
284 if !ok {
William Kurkianea869482019-04-09 15:16:11 -0400285 return errors.New("key-not-reserved")
286 }
287
288 if leaseID != nil {
cbabu95f21522019-11-13 14:25:18 +0100289 _, err := c.ectdAPI.KeepAliveOnce(ctx, *leaseID)
William Kurkianea869482019-04-09 15:16:11 -0400290 if err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000291 logger.Errorw("lease-may-have-expired", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400292 return err
293 }
294 } else {
295 return errors.New("lease-expired")
296 }
297 return nil
298}
299
300// Watch provides the watch capability on a given key. It returns a channel onto which the callee needs to
301// listen to receive Events.
Scott Bakere701b862020-02-20 16:19:16 -0800302func (c *EtcdClient) Watch(ctx context.Context, key string, withPrefix bool) chan *Event {
William Kurkianea869482019-04-09 15:16:11 -0400303 w := v3Client.NewWatcher(c.ectdAPI)
npujarec5762e2020-01-01 14:08:48 +0530304 ctx, cancel := context.WithCancel(ctx)
Scott Bakere701b862020-02-20 16:19:16 -0800305 var channel v3Client.WatchChan
306 if withPrefix {
307 channel = w.Watch(ctx, key, v3Client.WithPrefix())
308 } else {
309 channel = w.Watch(ctx, key)
310 }
William Kurkianea869482019-04-09 15:16:11 -0400311
312 // Create a new channel
313 ch := make(chan *Event, maxClientChannelBufferSize)
314
315 // Keep track of the created channels so they can be closed when required
316 channelMap := make(map[chan *Event]v3Client.Watcher)
317 channelMap[ch] = w
William Kurkianea869482019-04-09 15:16:11 -0400318
319 channelMaps := c.addChannelMap(key, channelMap)
320
Manikkaraj kb1d51442019-07-23 10:41:02 -0400321 // Changing the log field (from channelMaps) as the underlying logger cannot format the map of channels into a
322 // json format.
Esin Karamanccb714b2019-11-29 15:02:06 +0000323 logger.Debugw("watched-channels", log.Fields{"len": len(channelMaps)})
William Kurkianea869482019-04-09 15:16:11 -0400324 // Launch a go routine to listen for updates
kdarapub26b4502019-10-05 03:02:33 +0530325 go c.listenForKeyChange(channel, ch, cancel)
William Kurkianea869482019-04-09 15:16:11 -0400326
327 return ch
328
329}
330
331func (c *EtcdClient) addChannelMap(key string, channelMap map[chan *Event]v3Client.Watcher) []map[chan *Event]v3Client.Watcher {
332 var channels interface{}
333 var exists bool
334
335 if channels, exists = c.watchedChannels.Load(key); exists {
336 channels = append(channels.([]map[chan *Event]v3Client.Watcher), channelMap)
337 } else {
338 channels = []map[chan *Event]v3Client.Watcher{channelMap}
339 }
340 c.watchedChannels.Store(key, channels)
341
342 return channels.([]map[chan *Event]v3Client.Watcher)
343}
344
345func (c *EtcdClient) removeChannelMap(key string, pos int) []map[chan *Event]v3Client.Watcher {
346 var channels interface{}
347 var exists bool
348
349 if channels, exists = c.watchedChannels.Load(key); exists {
350 channels = append(channels.([]map[chan *Event]v3Client.Watcher)[:pos], channels.([]map[chan *Event]v3Client.Watcher)[pos+1:]...)
351 c.watchedChannels.Store(key, channels)
352 }
353
354 return channels.([]map[chan *Event]v3Client.Watcher)
355}
356
357func (c *EtcdClient) getChannelMaps(key string) ([]map[chan *Event]v3Client.Watcher, bool) {
358 var channels interface{}
359 var exists bool
360
361 channels, exists = c.watchedChannels.Load(key)
362
363 if channels == nil {
364 return nil, exists
365 }
366
367 return channels.([]map[chan *Event]v3Client.Watcher), exists
368}
369
370// CloseWatch closes a specific watch. Both the key and the channel are required when closing a watch as there
371// may be multiple listeners on the same key. The previously created channel serves as a key
372func (c *EtcdClient) CloseWatch(key string, ch chan *Event) {
373 // Get the array of channels mapping
374 var watchedChannels []map[chan *Event]v3Client.Watcher
375 var ok bool
William Kurkianea869482019-04-09 15:16:11 -0400376
377 if watchedChannels, ok = c.getChannelMaps(key); !ok {
Esin Karamanccb714b2019-11-29 15:02:06 +0000378 logger.Warnw("key-has-no-watched-channels", log.Fields{"key": key})
William Kurkianea869482019-04-09 15:16:11 -0400379 return
380 }
381 // Look for the channels
382 var pos = -1
383 for i, chMap := range watchedChannels {
384 if t, ok := chMap[ch]; ok {
Esin Karamanccb714b2019-11-29 15:02:06 +0000385 logger.Debug("channel-found")
William Kurkianea869482019-04-09 15:16:11 -0400386 // Close the etcd watcher before the client channel. This should close the etcd channel as well
387 if err := t.Close(); err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000388 logger.Errorw("watcher-cannot-be-closed", log.Fields{"key": key, "error": err})
William Kurkianea869482019-04-09 15:16:11 -0400389 }
William Kurkianea869482019-04-09 15:16:11 -0400390 pos = i
391 break
392 }
393 }
394
395 channelMaps, _ := c.getChannelMaps(key)
396 // Remove that entry if present
397 if pos >= 0 {
398 channelMaps = c.removeChannelMap(key, pos)
399 }
Esin Karamanccb714b2019-11-29 15:02:06 +0000400 logger.Infow("watcher-channel-exiting", log.Fields{"key": key, "channel": channelMaps})
William Kurkianea869482019-04-09 15:16:11 -0400401}
402
kdarapub26b4502019-10-05 03:02:33 +0530403func (c *EtcdClient) listenForKeyChange(channel v3Client.WatchChan, ch chan<- *Event, cancel context.CancelFunc) {
Esin Karamanccb714b2019-11-29 15:02:06 +0000404 logger.Debug("start-listening-on-channel ...")
kdarapub26b4502019-10-05 03:02:33 +0530405 defer cancel()
406 defer close(ch)
William Kurkianea869482019-04-09 15:16:11 -0400407 for resp := range channel {
408 for _, ev := range resp.Events {
Manikkaraj kb1d51442019-07-23 10:41:02 -0400409 ch <- NewEvent(getEventType(ev), ev.Kv.Key, ev.Kv.Value, ev.Kv.Version)
William Kurkianea869482019-04-09 15:16:11 -0400410 }
411 }
Esin Karamanccb714b2019-11-29 15:02:06 +0000412 logger.Debug("stop-listening-on-channel ...")
William Kurkianea869482019-04-09 15:16:11 -0400413}
414
415func getEventType(event *v3Client.Event) int {
416 switch event.Type {
417 case v3Client.EventTypePut:
418 return PUT
419 case v3Client.EventTypeDelete:
420 return DELETE
421 }
422 return UNKNOWN
423}
424
425// Close closes the KV store client
426func (c *EtcdClient) Close() {
William Kurkianea869482019-04-09 15:16:11 -0400427 if err := c.ectdAPI.Close(); err != nil {
Esin Karamanccb714b2019-11-29 15:02:06 +0000428 logger.Errorw("error-closing-client", log.Fields{"error": err})
William Kurkianea869482019-04-09 15:16:11 -0400429 }
430}
431
432func (c *EtcdClient) addLockName(lockName string, lock *v3Concurrency.Mutex, session *v3Concurrency.Session) {
433 c.lockToMutexLock.Lock()
434 defer c.lockToMutexLock.Unlock()
435 c.lockToMutexMap[lockName] = lock
436 c.lockToSessionMap[lockName] = session
437}
438
439func (c *EtcdClient) deleteLockName(lockName string) {
440 c.lockToMutexLock.Lock()
441 defer c.lockToMutexLock.Unlock()
442 delete(c.lockToMutexMap, lockName)
443 delete(c.lockToSessionMap, lockName)
444}
445
446func (c *EtcdClient) getLock(lockName string) (*v3Concurrency.Mutex, *v3Concurrency.Session) {
447 c.lockToMutexLock.Lock()
448 defer c.lockToMutexLock.Unlock()
449 var lock *v3Concurrency.Mutex
450 var session *v3Concurrency.Session
451 if l, exist := c.lockToMutexMap[lockName]; exist {
452 lock = l
453 }
454 if s, exist := c.lockToSessionMap[lockName]; exist {
455 session = s
456 }
457 return lock, session
458}
459
Neha Sharmacc656962020-04-14 14:26:11 +0000460func (c *EtcdClient) AcquireLock(ctx context.Context, lockName string, timeout time.Duration) error {
William Kurkianea869482019-04-09 15:16:11 -0400461 session, _ := v3Concurrency.NewSession(c.ectdAPI, v3Concurrency.WithContext(ctx))
462 mu := v3Concurrency.NewMutex(session, "/devicelock_"+lockName)
463 if err := mu.Lock(context.Background()); err != nil {
npujarec5762e2020-01-01 14:08:48 +0530464 //cancel()
William Kurkianea869482019-04-09 15:16:11 -0400465 return err
466 }
467 c.addLockName(lockName, mu, session)
William Kurkianea869482019-04-09 15:16:11 -0400468 return nil
469}
470
471func (c *EtcdClient) ReleaseLock(lockName string) error {
472 lock, session := c.getLock(lockName)
473 var err error
474 if lock != nil {
475 if e := lock.Unlock(context.Background()); e != nil {
476 err = e
477 }
478 }
479 if session != nil {
480 if e := session.Close(); e != nil {
481 err = e
482 }
483 }
484 c.deleteLockName(lockName)
485
486 return err
487}