2 Functions to perform remctls.
6 from webcommon import CodeError, InvalidInput
15 from invirt.config import structs as config
16 from invirt.database import Machine, Disk, Type, NIC, CDROM, session, meta
18 # ... and stolen from xend/uuid.py
20 """Generate a random UUID."""
22 return [ random.randint(0, 255) for _ in range(0, 16) ]
25 """Turn a numeric UUID to a hyphen-seperated one."""
26 return "-".join(["%02x" * 4, "%02x" * 2, "%02x" * 2, "%02x" * 2,
27 "%02x" * 6]) % tuple(u)
31 """Kinit with a given username and keytab"""
32 p = subprocess.Popen(['kinit', "-k", "-t", '/etc/invirt/keytab',
33 'daemon/'+config.web.hostname],
34 stderr=subprocess.PIPE)
37 raise CodeError("Error %s in kinit: %s" % (e, p.stderr.read()))
40 """If we lack tickets, kinit."""
41 p = subprocess.Popen(['klist', '-s'])
45 def remctl(*args, **kws):
46 """Perform a remctl and return the output.
48 kinits if necessary, and outputs errors to stderr.
51 p = subprocess.Popen(['remctl', config.remote.hostname]
53 stdout=subprocess.PIPE,
54 stderr=subprocess.PIPE)
57 return p.stdout.read(), p.stderr.read()
59 print >> sys.stderr, 'Error', v, 'on remctl', args, ':'
60 print >> sys.stderr, p.stderr.read()
61 raise CodeError('ERROR on remctl')
62 return p.stdout.read()
64 def lvcreate(machine, disk):
65 """Create a single disk for a machine"""
66 remctl('web', 'lvcreate', machine.name,
67 disk.guest_device_name, str(disk.size))
69 def makeDisks(machine):
70 """Update the lvm partitions to add a disk."""
71 for disk in machine.disks:
72 lvcreate(machine, disk)
74 def getswap(disksize, memsize):
75 """Returns the recommended swap partition size."""
76 return int(min(disksize / 4, memsize * 1.5))
78 def lvinstall(machine, autoinstall):
79 disksize = machine.disks[0].size
80 memsize = machine.memory
81 imagesize = disksize - getswap(disksize, memsize)
82 ip = machine.nics[0].ip
83 remctl('web', 'install', machine.name, autoinstall.distribution,
84 autoinstall.mirror, str(imagesize), ip)
86 def lvcopy(machine_orig_name, machine, rootpw):
87 """Copy a golden image onto a machine's disk"""
88 remctl('web', 'lvcopy', machine_orig_name, machine.name, rootpw)
90 def bootMachine(machine, cdtype):
91 """Boot a machine with a given boot CD.
93 If cdtype is None, give no boot cd. Otherwise, it is the string
94 id of the CD (e.g. 'gutsy_i386')
96 if cdtype is not None:
97 out, err = remctl('control', machine.name, 'create',
100 out, err = remctl('control', machine.name, 'create',
102 if 'already running' in err:
103 raise InvalidInput('action', 'create',
104 'VM %s is already on' % machine.name)
106 raise CodeError('"%s" on "control %s create %s'
107 % (err, machine.name, cdtype))
109 def createVm(username, state, owner, contact, name, description, memory, disksize, machine_type, cdrom, autoinstall):
110 """Create a VM and put it in the database"""
111 # put stuff in the table
112 transaction = ctx.current.create_transaction()
114 validation.Validate(username, state, name=name, description=description, owner=owner, memory=memory, disksize=disksize/1024.)
115 res = meta.engine.execute('select nextval('
116 '\'"machines_machine_id_seq"\')')
117 id = res.fetchone()[0]
119 machine.machine_id = id
121 machine.description = description
122 machine.memory = memory
123 machine.owner = owner
124 machine.administrator = owner
125 machine.contact = contact
126 machine.uuid = uuidToString(randomUUID())
127 machine.boot_off_cd = True
128 machine.type_id = machine_type.type_id
129 ctx.current.save(machine)
130 disk = Disk(machine_id=machine.machine_id,
131 guest_device_name='hda', size=disksize)
132 open_nics = NIC.select_by(machine_id=None)
133 if not open_nics: #No IPs left!
134 raise CodeError("No IP addresses left! "
135 "Contact %s." % config.web.errormail)
137 nic.machine_id = machine.machine_id
139 ctx.current.save(nic)
140 ctx.current.save(disk)
141 cache_acls.refreshMachine(machine)
144 transaction.rollback()
148 lvinstall(machine, autoinstall)
149 # tell it to boot with cdrom
150 bootMachine(machine, cdrom)
154 """Return a dictionary mapping machine names to dicts."""
155 value_string = remctl('web', 'listvms')
156 value_dict = yaml.load(value_string, yaml.CSafeLoader)
160 """Parse a status string into nested tuples of strings.
162 s = output of xm list --long <machine_name>
164 values = re.split('([()])', s)
166 for v in values[2:-2]: #remove initial and final '()'
173 if len(stack[-1]) == 1:
175 stack[-2].append(stack[-1])
180 stack[-1].extend(v.split())
183 def statusInfo(machine):
184 """Return the status list for a given machine.
186 Gets and parses xm list --long
188 value_string, err_string = remctl('control', machine.name, 'list-long',
190 if 'Unknown command' in err_string:
191 raise CodeError("ERROR in remctl list-long %s is not registered" %
193 elif 'is not on' in err_string:
196 raise CodeError("ERROR in remctl list-long %s: %s" %
197 (machine.name, err_string))
198 status = parseStatus(value_string)
201 def listHost(machine):
202 """Return the host a machine is running on"""
203 out, err = remctl('control', machine.name, 'listhost', err=True)
208 def deleteVM(machine):
210 remctl('control', machine.name, 'destroy', err=True)
211 transaction = ctx.current.create_transaction()
212 delete_disk_pairs = [(machine.name, d.guest_device_name)
213 for d in machine.disks]
215 for nic in machine.nics:
216 nic.machine_id = None
218 ctx.current.save(nic)
219 for disk in machine.disks:
220 ctx.current.delete(disk)
221 ctx.current.delete(machine)
224 transaction.rollback()
226 for mname, dname in delete_disk_pairs:
227 remctl('web', 'lvremove', mname, dname)
229 def commandResult(username, state, fields):
231 machine = validation.Validate(username, state, machine_id=fields.getfirst('machine_id')).machine
232 action = fields.getfirst('action')
233 cdrom = fields.getfirst('cdrom')
234 if cdrom is not None and not CDROM.get(cdrom):
235 raise CodeError("Invalid cdrom type '%s'" % cdrom)
236 if action not in ('Reboot', 'Power on', 'Power off', 'Shutdown',
238 raise CodeError("Invalid action '%s'" % action)
239 if action == 'Reboot':
240 if cdrom is not None:
241 out, err = remctl('control', machine.name, 'reboot', cdrom,
244 out, err = remctl('control', machine.name, 'reboot',
247 if re.match("machine '.*' is not on", err):
248 raise InvalidInput("action", "reboot",
251 print >> sys.stderr, 'Error on reboot:'
252 print >> sys.stderr, err
253 raise CodeError('ERROR on remctl')
255 elif action == 'Power on':
256 if validation.maxMemory(username, state, machine) < machine.memory:
257 raise InvalidInput('action', 'Power on',
258 "You don't have enough free RAM quota "
259 "to turn on this machine.")
260 bootMachine(machine, cdrom)
261 elif action == 'Power off':
262 out, err = remctl('control', machine.name, 'destroy', err=True)
264 if re.match("machine '.*' is not on", err):
265 raise InvalidInput("action", "Power off",
266 "Machine is not on.")
268 print >> sys.stderr, 'Error on power off:'
269 print >> sys.stderr, err
270 raise CodeError('ERROR on remctl')
271 elif action == 'Shutdown':
272 out, err = remctl('control', machine.name, 'shutdown', err=True)
274 if re.match("machine '.*' is not on", err):
275 raise InvalidInput("action", "Shutdown",
276 "Machine is not on.")
278 print >> sys.stderr, 'Error on Shutdown:'
279 print >> sys.stderr, err
280 raise CodeError('ERROR on remctl')
281 elif action == 'Delete VM':
284 d = dict(user=username,
289 def resizeDisk(machine_name, disk_name, new_size):
290 remctl("web", "lvresize", machine_name, disk_name, new_size)
292 def renameMachine(machine, old_name, new_name):
293 for disk in machine.disks:
294 remctl("web", "lvrename", old_name,
295 disk.guest_device_name, new_name)