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
|
# -*- coding: utf-8 -*-
# Copyright: (c) 2024, Infinidat <info@infinidat.com>
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
# pylint:
# disable=use-list-literal,use-dict-literal,line-too-long,wrong-import-position,broad-exception-caught,invalid-name
""" Infinidat utilities """
from __future__ import (absolute_import, division, print_function)
__metaclass__ = type
# try:
# import ansible.module_utils.errors
# except (ImportError, ModuleNotFoundError):
# import errors # Used during "make dev-hack-module-[present, stat, absent]"
try:
from infinisdk import InfiniBox, core
from infinisdk.core.exceptions import ObjectNotFound
except ImportError as imp_exc:
HAS_INFINISDK = False
INFINISDK_IMPORT_ERROR = imp_exc
else:
HAS_INFINISDK = True
INFINISDK_IMPORT_ERROR = None
HAS_ARROW = True
try:
import arrow
except ImportError:
HAS_ARROW = False
except Exception:
HAS_INFINISDK = False
from functools import wraps
from os import environ
from os import path
from datetime import datetime
HAS_URLLIB3 = True
try:
import urllib3
urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)
except ImportError:
HAS_URLLIB3 = False
INFINIBOX_SYSTEM = None
def unixMillisecondsToDate(unix_ms): # pylint: disable=invalid-name
""" Convert unix time with ms to a datetime UTC time """
return (datetime.utcfromtimestamp(unix_ms / 1000.), 'UTC')
def api_wrapper(func):
""" Catch API Errors Decorator"""
@wraps(func)
def __wrapper(*args, **kwargs):
module = args[0]
try:
return func(*args, **kwargs)
except core.exceptions.SystemNotFoundException as err:
module.fail_json(msg=str(err))
except core.exceptions.APICommandException as err:
module.fail_json(msg=str(err))
except Exception as err:
module.fail_json(msg=str(err))
return None # Should never get to this line but it quiets pylint inconsistent-return-statements
return __wrapper
def infinibox_argument_spec():
"""Return standard base dictionary used for the argument_spec argument in AnsibleModule"""
return dict(
system=dict(required=True),
user=dict(required=True),
password=dict(required=True, no_log=True),
)
def infinibox_required_together():
"""Return the default list used for the required_together argument to AnsibleModule"""
return [['user', 'password']]
def merge_two_dicts(dict1, dict2):
"""
Merge two dicts into one and return.
result = {**dict1, **dict2} only works in py3.5+.
"""
result = dict1.copy()
result.update(dict2)
return result
@api_wrapper
def get_system(module):
"""
Return System Object if it does not exist or Fail.
Use a global system Infinibox object so that there will only be one
system session used for this module instance.
Enables execute_state() to log out of the only session properly.
"""
global INFINIBOX_SYSTEM # pylint: disable=global-statement
if not INFINIBOX_SYSTEM:
# Create system and login
box = module.params['system']
user = module.params.get('user', None)
password = module.params.get('password', None)
if user and password:
INFINIBOX_SYSTEM = InfiniBox(box, auth=(user, password), use_ssl=True)
elif environ.get('INFINIBOX_USER') and environ.get('INFINIBOX_PASSWORD'):
INFINIBOX_SYSTEM = InfiniBox(box,
auth=(environ.get('INFINIBOX_USER'),
environ.get('INFINIBOX_PASSWORD')),
use_ssl=True)
elif path.isfile(path.expanduser('~') + '/.infinidat/infinisdk.ini'):
INFINIBOX_SYSTEM = InfiniBox(box, use_ssl=True)
else:
module.fail_json(msg="You must set INFINIBOX_USER and INFINIBOX_PASSWORD environment variables or set username/password module arguments")
try:
INFINIBOX_SYSTEM.login()
except Exception:
module.fail_json(msg="Infinibox authentication failed. Check your credentials")
return INFINIBOX_SYSTEM
@api_wrapper
def get_pool(module, system):
"""
Return Pool. Try key look up using 'pool', or if that fails, 'name'.
If the pool is not found, return None.
"""
try:
try:
name = module.params['pool']
except KeyError:
try:
name = module.params['name']
except KeyError:
name = module.params['object_name'] # For metadata
return system.pools.get(name=name)
except Exception:
return None
@api_wrapper
def get_filesystem(module, system):
"""Return Filesystem or None"""
try:
try:
filesystem = system.filesystems.get(name=module.params['filesystem'])
except KeyError:
try:
filesystem = system.filesystems.get(name=module.params['name'])
except KeyError:
filesystem = system.filesystems.get(name=module.params['object_name'])
return filesystem
except Exception:
return None
@api_wrapper
def get_export(module, system):
"""Return export if found or None if not found"""
try:
try:
export_name = module.params['export']
except KeyError:
export_name = module.params['name']
export = system.exports.get(export_path=export_name)
except ObjectNotFound:
return None
return export
@api_wrapper
def get_volume(module, system):
"""Return Volume or None"""
try:
try:
volume = system.volumes.get(name=module.params['name'])
except KeyError:
try:
volume = system.volumes.get(name=module.params['volume'])
except KeyError:
volume = system.volumes.get(name=module.params['object_name']) # Used by metadata module
return volume
except Exception:
return None
@api_wrapper
def get_net_space(module, system):
"""Return network space or None"""
try:
net_space = system.network_spaces.get(name=module.params['name'])
except (KeyError, ObjectNotFound):
return None
return net_space
@api_wrapper
def get_vol_by_sn(module, system):
"""Return volume that matches the serial or None"""
try:
volume = system.volumes.get(serial=module.params['serial'])
except Exception:
return None
return volume
@api_wrapper
def get_fs_by_sn(module, system):
"""Return filesystem that matches the serial or None"""
try:
filesystem = system.filesystems.get(serial=module.params['serial'])
except Exception:
return None
return filesystem
@api_wrapper
def get_host(module, system):
"""Find a host by the name specified in the module"""
host = None
for a_host in system.hosts.to_list():
a_host_name = a_host.get_name()
try:
host_param = module.params['name']
except KeyError:
try:
host_param = module.params['host']
except KeyError:
host_param = module.params['object_name'] # For metadata
if a_host_name == host_param:
host = a_host
break
return host
@api_wrapper
def get_cluster(module, system):
"""Find a cluster by the name specified in the module"""
cluster = None
# print("dir:", dir(system))
for a_cluster in system.host_clusters.to_list():
a_cluster_name = a_cluster.get_name()
try:
cluster_param = module.params['name']
except KeyError:
try:
cluster_param = module.params['cluster']
except KeyError:
cluster_param = module.params['object_name'] # For metadata
if a_cluster_name == cluster_param:
cluster = a_cluster
break
return cluster
@api_wrapper
def get_user(module, system, user_name_to_find=None):
"""Find a user by the user_name specified in the module"""
user = None
if not user_name_to_find:
user_name = module.params['user_name']
else:
user_name = user_name_to_find
try:
user = system.users.get(name=user_name)
except ObjectNotFound:
pass
return user
def check_snapshot_lock_options(module):
"""
Check if specified options are feasible for a snapshot.
Prevent very long lock times.
max_delta_minutes limits locks to 30 days (43200 minutes).
This functionality is broken out from manage_snapshot_locks() to allow
it to be called by create_snapshot() before the snapshot is actually
created.
"""
snapshot_lock_expires_at = module.params["snapshot_lock_expires_at"]
if snapshot_lock_expires_at: # Then user has specified wish to lock snap
lock_expires_at = arrow.get(snapshot_lock_expires_at)
# Check for lock in the past
now = arrow.utcnow()
if lock_expires_at <= now:
msg = "Cannot lock snapshot with a snapshot_lock_expires_at "
msg += f"of '{snapshot_lock_expires_at}' from the past"
module.fail_json(msg=msg)
# Check for lock later than max lock, i.e. too far in future.
max_delta_minutes = 43200 # 30 days in minutes
max_lock_expires_at = now.shift(minutes=max_delta_minutes)
if lock_expires_at >= max_lock_expires_at:
msg = f"snapshot_lock_expires_at exceeds {max_delta_minutes // 24 // 60} days in the future"
module.fail_json(msg=msg)
def manage_snapshot_locks(module, snapshot):
"""
Manage the locking of a snapshot. Check for bad lock times.
See check_snapshot_lock_options() which has additional checks.
"""
snapshot_lock_expires_at = module.params["snapshot_lock_expires_at"]
snap_is_locked = snapshot.get_lock_state() == "LOCKED"
current_lock_expires_at = snapshot.get_lock_expires_at()
changed = False
check_snapshot_lock_options(module)
if snapshot_lock_expires_at: # Then user has specified wish to lock snap
lock_expires_at = arrow.get(snapshot_lock_expires_at)
if snap_is_locked and lock_expires_at < current_lock_expires_at:
# Lock earlier than current lock
msg = f"snapshot_lock_expires_at '{lock_expires_at}' preceeds the current lock time of '{current_lock_expires_at}'"
module.fail_json(msg=msg)
elif snap_is_locked and lock_expires_at == current_lock_expires_at:
# Lock already set to correct time
pass
else:
# Set lock
if not module.check_mode:
snapshot.update_lock_expires_at(lock_expires_at)
changed = True
return changed
def catch_failed_module_utils_imports(module):
msg = ""
if not HAS_ARROW:
msg += "Failed to import arrow module. "
if not HAS_INFINISDK:
msg += "Failed to import infinisdk module. "
if not HAS_URLLIB3:
msg += "Failed to import urllib3 module. "
module.fail_json(msg=msg)
|