forked from xenserver/host-installer
-
Notifications
You must be signed in to change notification settings - Fork 0
/
util.py
440 lines (351 loc) · 13 KB
/
util.py
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
# SPDX-License-Identifier: GPL-2.0-only
import os
import os.path
import subprocess
import urllib.request, urllib.parse
import shutil
import re
import datetime
import time
import random
import string
import tempfile
import errno
from version import *
from xcp import logger
random.seed()
_dev_null_fh = None
###
# directory/tree management
def assertDir(dirname):
# make sure there isn't already a file there:
assert not (os.path.exists(dirname) and not os.path.isdir(dirname))
# does the specified directory exist?
if not os.path.isdir(dirname):
os.makedirs(dirname)
def assertDirs(*dirnames):
for d in dirnames:
assertDir(d)
def copyFile(source, dest):
assert os.path.isfile(source)
assert os.path.isdir(dest)
assert runCmd2(['cp', '-f', source, '%s/' % dest]) == 0
def copyFilesFromDir(sourcedir, dest):
assert os.path.isdir(sourcedir)
assert os.path.isdir(dest)
files = os.listdir(sourcedir)
for f in files:
assert runCmd2(['cp', '-a', '%s/%s' % (sourcedir, f), '%s/' % dest]) == 0
###
# shell
def runCmd2(command, with_stdout=False, with_stderr=False, inputtext=None):
"""
Run a command with subprocess.Popen
Expects string output from stdout & stderr
"""
try:
cmd = subprocess.Popen(command, bufsize=1,
stdin=(inputtext and subprocess.PIPE or None),
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
shell=isinstance(command, str),
universal_newlines=True,
close_fds=True)
# We could poll stdout/stderr for commands outputing large amounts
# of data, but the following should suffice in all cases
(out, err) = cmd.communicate(inputtext)
rv = cmd.returncode
except Exception as ex:
logger.log("running %s caused an exception: %s" % (command, ex))
raise
l = "ran %s; rc %d" % (str(command), rv)
if inputtext:
l += " with input %s" % inputtext
if out != "":
l += "\nSTANDARD OUT:\n" + out
if err != "":
l += "\nSTANDARD ERROR:\n" + err
logger.log(l)
if with_stdout and with_stderr:
return rv, out, err
elif with_stdout:
return rv, out
elif with_stderr:
return rv, err
return rv
###
# make file system
def mkfs(fstype, partition, options=None, wipe=True):
if wipe:
rc, err = runCmd2(['wipefs', '-a', partition], with_stderr=True)
if rc != 0:
raise Exception("err: '%s'" % err)
mkfs_cmd = ['mkfs.%s' % fstype , partition]
if options:
mkfs_cmd.extend(options)
rc, err = runCmd2(mkfs_cmd, with_stderr=True)
if rc != 0:
raise Exception("err: '%s'" % err)
###
# mounting/unmounting
class MountFailureException(Exception):
pass
def pidof(name):
def is_pid(s):
for c in s:
if not c in string.digits: return False
return True
def has_name(pid):
try:
return os.path.basename(open('/proc/%s/cmdline' % pid).read().split('\0')[0]) == name
except:
return False
pids = filter(is_pid, os.listdir('/proc'))
pids = list(filter(has_name, pids))
return pids
def mount(dev, mountpoint, options=None, fstype=None):
logger.log("Mounting %s to %s, options = %s, fstype = %s" % (dev, mountpoint, options, fstype))
cmd = ['/bin/mount']
if type(options) == list:
options = ",".join(options)
if options:
assert type(options) == str
if fstype:
cmd += ['-t', fstype]
if options:
cmd += ['-o', options]
cmd.append(dev)
cmd.append(mountpoint)
rc, out, err = runCmd2(cmd, with_stdout=True, with_stderr=True)
if rc != 0:
raise MountFailureException("out: '%s' err: '%s'" % (out, err))
def bindMount(source, mountpoint):
logger.log("Bind mounting %s to %s" % (source, mountpoint))
cmd = [ '/bin/mount', '--bind', source, mountpoint]
rc, out, err = runCmd2(cmd, with_stdout=True, with_stderr=True)
if rc != 0:
raise MountFailureException("out: '%s' err: '%s'" % (out, err))
def umount(mountpoint, force=False):
logger.log("Unmounting %s (force = %s)" % (mountpoint, force))
cmd = ['/bin/umount', '-d'] # -d option also removes the loop device (if present)
if force:
cmd.append('-f')
cmd.append(mountpoint)
rc = runCmd2(cmd)
return rc
class TempMount:
def __init__(self, device, tmp_prefix, options=None, fstype=None, boot_device=None, boot_mount_point=None):
self.mounted = False
self.mount_point = tempfile.mkdtemp(dir="/tmp", prefix=tmp_prefix)
self.boot_mount_point = None
self.boot_mounted = False
try:
mount(device, self.mount_point, options, fstype)
if boot_device:
# Determine where the boot device needs to be mounted by looking through fstab
match = None
bootfstype = None
try:
with open(os.path.join(self.mount_point, 'etc', 'fstab'), 'r') as fstab:
for line in fstab:
m = re.search("\\s(/boot(/[^\\s]+)?)\\s+(\\w+)", line)
if m:
match = m.group(1)
bootfstype = m.group(3)
except IOError as e:
if e.errno != errno.ENOENT:
raise
if match:
self.boot_mount_point = self.mount_point + match
elif boot_mount_point:
self.boot_mount_point = self.mount_point + boot_mount_point
if self.boot_mount_point:
assertDir(self.boot_mount_point)
mount(boot_device, self.boot_mount_point, options, bootfstype)
self.boot_mounted = True
except:
os.rmdir(self.mount_point)
raise
self.mounted = True
def unmount(self):
if self.boot_mounted:
umount(self.boot_mount_point)
self.boot_mounted = False
if self.mounted:
umount(self.mount_point)
self.mounted = False
if os.path.isdir(self.mount_point):
os.rmdir(self.mount_point)
###
# fetching of remote files
class InvalidSource(Exception):
pass
# source may be
# http://blah
# ftp://blah
# file://blah
# nfs://server:/path/blah
def fetchFile(source, dest):
cleanup_dirs = []
try:
# if it's NFS, then mount the NFS server then treat like
# file://:
if source[:4] == 'nfs:':
# work out the components:
[_, server, path] = source.split(':')
if server[:2] != '//':
raise InvalidSource("Did not start {ftp,http,file,nfs}://")
server = server[2:]
dirpart = os.path.dirname(path)
if dirpart[0] != '/':
raise InvalidSource("Directory part of NFS path was not an absolute path.")
filepart = os.path.basename(path)
logger.log("Split nfs path into server: %s, directory: %s, file: %s." % (server, dirpart, filepart))
# make a mountpoint:
mntpoint = tempfile.mkdtemp(dir='/tmp', prefix='fetchfile-nfs-')
mount('%s:%s' % (server, dirpart), mntpoint, fstype="nfs", options=['ro'])
cleanup_dirs.append(mntpoint)
source = 'file://%s/%s' % (mntpoint, filepart)
if source[:5] == 'http:' or \
source[:6] == 'https:' or \
source[:5] == 'file:' or \
source[:4] == 'ftp:':
# This something that can be fetched using urllib
request = source
url = URL(source)
if url.getScheme() in ['http', 'https'] and url.getUsername(): # Auth HTTP(s)
passman = urllib2.HTTPPasswordMgrWithDefaultRealm()
passman.add_password(None, url.getHostname(), url.getUsername(), url.getPassword())
handler = urllib2.HTTPBasicAuthHandler(passman)
urllib2.install_opener(urllib2.build_opener(handler))
request = url.getPlainURL()
with urllib.request.urlopen(request) as fd_resp, open(dest, 'wb') as fd_dest:
shutil.copyfileobj(fd_resp, fd_dest)
else:
raise InvalidSource("Unknown source type.")
finally:
for d in cleanup_dirs:
umount(d)
os.rmdir(d)
def getUUID():
rc, out = runCmd2(['uuidgen'], with_stdout=True)
assert rc == 0
return out.strip()
def mkRandomHostname():
""" Generate a random hostname of the form xenserver-AAAAAAAA """
s = "".join([random.choice(string.ascii_lowercase) for x in range(8)])
return "%s-%s" % (BRAND_SERVER.split()[0].lower(),s)
def splitArgs(argsIn, array_args=()):
""" Split argument array into dictionary
[ '--alpha', '--beta=42' ]
becomes
{ '--alpha': None, '--beta': '42' }"""
argsOut = {}
for arg in argsIn:
eq = arg.find('=')
if eq == -1:
argsOut[arg] = None
else:
k = arg[:eq]
v = arg[eq+1:]
if k in array_args:
if k in argsOut:
argsOut[k].append(v)
else:
argsOut[k] = [v]
else:
argsOut[k] = v
return argsOut
def readKeyValueFile(filename, allowed_keys=None, strip_quotes=True):
""" Reads a KEY=Value style file (e.g. xensource-inventory). Returns a
dictionary of key/values in the file. Not designed for use with large files
as the file is read entirely into memory."""
f = open(filename, "r")
lines = [x.strip("\n") for x in f.readlines()]
f.close()
# remove lines that do not contain allowed keys
if allowed_keys:
lines = [x for x in lines if True in [x.startswith(y) for y in allowed_keys]]
defs = [ (l[:l.find("=")], l[(l.find("=") + 1):]) for l in lines ]
if strip_quotes:
def quotestrip(x):
return x.strip("'")
defs = [ (a, quotestrip(b)) for (a, b) in defs ]
return dict(defs)
def dev_null():
global _dev_null_fh
if not _dev_null_fh:
_dev_null_fh = open("/dev/null", 'r+')
return _dev_null_fh
def udevadmCmd(cmd):
if os.path.isfile('/sbin/udevadm'):
return ['/sbin/udevadm', cmd]
return ['udev' + cmd]
def udevsettleCmd():
return udevadmCmd('settle')
def udevtriggerCmd():
return udevadmCmd('trigger')
def udevinfoCmd():
return udevadmCmd('info')
def randomLabelStr():
return "".join([random.choice(string.ascii_lowercase) for x in range(6)])
def getLocalTime(timezone=None):
if timezone:
os.environ['TZ'] = timezone
time.tzset()
return datetime.datetime.now()
def setLocalTime(timestring, timezone=None):
if timezone:
os.environ['TZ'] = timezone
time.tzset()
assert runCmd2("date --set='%s'" % timestring) == 0
class URL(object):
"""A wrapper around a URL string.
This is a wrapper around a URL string to avoid inadvertently logging
the username/password of a URL string."""
def __init__(self, url):
self.url = url
parts = urllib.parse.urlsplit(url)
self.scheme = parts.scheme
self.hostname = parts.hostname
self.username = parts.username
self.password = parts.password
def __str__(self):
"""Returns the URL with username/password replaced with asterisks."""
if self.username is not None and self.password is not None:
return self.url.replace('%s:%s@' % (self.username, self.password), '***:***@', 1)
elif self.username is not None:
return self.url.replace('%s@' % self.username, '***:***@', 1)
else:
# Cannot have a password without a username
assert self.password is None
return self.url
def __repr__(self):
return "'" + self.__str__() + "'"
def getScheme(self):
return self.scheme
def getHostname(self):
return self.hostname
def getUsername(self):
if self.username is None:
return None
return urllib.parse.unquote(self.username)
def getPassword(self):
if self.password is None:
return None
return urllib.parse.unquote(self.password)
def getURL(self):
"""Get the full URL with username/password.
The usage of this should be carefully audited to ensure it is not
inadvertently logged (even as part of an exception)."""
return self.url
def getPlainURL(self):
"""Get the URL without username/password."""
if self.username is not None and self.password is not None:
return self.url.replace('%s:%s@' % (self.username, self.password), '', 1)
elif self.username is not None:
return self.url.replace('%s@' % self.username, '', 1)
else:
# Cannot have a password without a username
assert self.password is None
return self.url