source: trunk/web/controls.py @ 265

Last change on this file since 265 was 265, checked in by ecprice, 16 years ago

Update acls on creation and don't always through a spurious error

File size: 9.9 KB
Line 
1"""
2Functions to perform remctls.
3"""
4
5from sipb_xen_database import Machine, Disk, Type, NIC, CDROM, ctx, meta
6import validation
7from webcommon import CodeError, InvalidInput
8import random
9import subprocess
10import sys
11import time
12import re
13import cache_acls
14
15# ... and stolen from xend/uuid.py
16def randomUUID():
17    """Generate a random UUID."""
18
19    return [ random.randint(0, 255) for _ in range(0, 16) ]
20
21def uuidToString(u):
22    """Turn a numeric UUID to a hyphen-seperated one."""
23    return "-".join(["%02x" * 4, "%02x" * 2, "%02x" * 2, "%02x" * 2,
24                     "%02x" * 6]) % tuple(u)
25# end stolen code
26
27def kinit(username = 'daemon/sipb-xen.mit.edu', keytab = '/etc/sipb-xen.keytab'):
28    """Kinit with a given username and keytab"""
29
30    p = subprocess.Popen(['kinit', "-k", "-t", keytab, username],
31                         stderr=subprocess.PIPE)
32    e = p.wait()
33    if e:
34        raise CodeError("Error %s in kinit: %s" % (e, p.stderr.read()))
35
36def checkKinit():
37    """If we lack tickets, kinit."""
38    p = subprocess.Popen(['klist', '-s'])
39    if p.wait():
40        kinit()
41
42def remctl(*args, **kws):
43    """Perform a remctl and return the output.
44
45    kinits if necessary, and outputs errors to stderr.
46    """
47    checkKinit()
48    p = subprocess.Popen(['remctl', 'black-mesa.mit.edu']
49                         + list(args),
50                         stdout=subprocess.PIPE,
51                         stderr=subprocess.PIPE)
52    v = p.wait()
53    if kws.get('err'):
54        return p.stdout.read(), p.stderr.read()
55    if v:
56        print >> sys.stderr, 'Error', v, 'on remctl', args, ':'
57        print >> sys.stderr, p.stderr.read()
58        raise CodeError('ERROR on remctl')
59    return p.stdout.read()
60
61def lvcreate(machine, disk):
62    """Create a single disk for a machine"""
63    remctl('web', 'lvcreate', machine.name,
64           disk.guest_device_name, str(disk.size))
65   
66def makeDisks(machine):
67    """Update the lvm partitions to add a disk."""
68    for disk in machine.disks:
69        lvcreate(machine, disk)
70
71def bootMachine(machine, cdtype):
72    """Boot a machine with a given boot CD.
73
74    If cdtype is None, give no boot cd.  Otherwise, it is the string
75    id of the CD (e.g. 'gutsy_i386')
76    """
77    if cdtype is not None:
78        out, err = remctl('control', machine.name, 'create', 
79                          cdtype, err=True)
80    else:
81        out, err = remctl('control', machine.name, 'create',
82                          err=True)
83    if 'already exists' in out:
84        raise InvalidInput('action', 'create',
85                           'VM %s is already on' % machine.name)
86    elif err:
87        raise CodeError('"%s" on "control %s create %s' 
88                        % (err, machine.name, cdtype))
89
90def registerMachine(machine):
91    """Register a machine to be controlled by the web interface"""
92    remctl('web', 'register', machine.name)
93
94def unregisterMachine(machine):
95    """Unregister a machine to not be controlled by the web interface"""
96    remctl('web', 'unregister', machine.name)
97
98def createVm(owner, contact, name, memory, disk_size, is_hvm, cdrom):
99    """Create a VM and put it in the database"""
100    # put stuff in the table
101    transaction = ctx.current.create_transaction()
102    try:
103        validation.validMemory(owner, memory)
104        validation.validDisk(owner, disk_size  * 1. / 1024)
105        validation.validAddVm(owner)
106        res = meta.engine.execute('select nextval('
107                                  '\'"machines_machine_id_seq"\')')
108        id = res.fetchone()[0]
109        machine = Machine()
110        machine.machine_id = id
111        machine.name = name
112        machine.memory = memory
113        machine.owner = owner
114        machine.administrator = owner
115        machine.contact = contact
116        machine.uuid = uuidToString(randomUUID())
117        machine.boot_off_cd = True
118        machine_type = Type.get_by(hvm=is_hvm)
119        machine.type_id = machine_type.type_id
120        ctx.current.save(machine)
121        disk = Disk(machine_id=machine.machine_id, 
122                    guest_device_name='hda', size=disk_size)
123        open_nics = NIC.select_by(machine_id=None)
124        if not open_nics: #No IPs left!
125            raise CodeError("No IP addresses left!  "
126                            "Contact sipb-xen-dev@mit.edu")
127        nic = open_nics[0]
128        nic.machine_id = machine.machine_id
129        nic.hostname = name
130        ctx.current.save(nic)   
131        ctx.current.save(disk)
132        cache_acls.refreshMachine(machine)
133        transaction.commit()
134    except:
135        transaction.rollback()
136        raise
137    registerMachine(machine)
138    makeDisks(machine)
139    # tell it to boot with cdrom
140    bootMachine(machine, cdrom)
141    return machine
142
143def getUptimes(machines=None):
144    """Return a dictionary mapping machine names to uptime strings"""
145    value_string = remctl('web', 'listvms')
146    lines = value_string.splitlines()
147    d = {}
148    for line in lines:
149        lst = line.split()
150        name, id = lst[:2]
151        uptime = ' '.join(lst[2:])
152        d[name] = uptime
153    ans = {}
154    for m in machines:
155        ans[m] = d.get(m.name)
156    return ans
157
158def parseStatus(s):
159    """Parse a status string into nested tuples of strings.
160
161    s = output of xm list --long <machine_name>
162    """
163    values = re.split('([()])', s)
164    stack = [[]]
165    for v in values[2:-2]: #remove initial and final '()'
166        if not v:
167            continue
168        v = v.strip()
169        if v == '(':
170            stack.append([])
171        elif v == ')':
172            if len(stack[-1]) == 1:
173                stack[-1].append('')
174            stack[-2].append(stack[-1])
175            stack.pop()
176        else:
177            if not v:
178                continue
179            stack[-1].extend(v.split())
180    return stack[-1]
181
182def statusInfo(machine):
183    """Return the status list for a given machine.
184
185    Gets and parses xm list --long
186    """
187    value_string, err_string = remctl('control', machine.name, 'list-long', 
188                                      err=True)
189    if 'Unknown command' in err_string:
190        raise CodeError("ERROR in remctl list-long %s is not registered" % 
191                        (machine.name,))
192    elif 'does not exist' in err_string:
193        return None
194    elif err_string:
195        raise CodeError("ERROR in remctl list-long %s%s" % 
196                        (machine.name, err_string))
197    status = parseStatus(value_string)
198    return status
199
200def deleteVM(machine):
201    """Delete a VM."""
202    remctl('control', machine.name, 'destroy', err=True)
203    transaction = ctx.current.create_transaction()
204    delete_disk_pairs = [(machine.name, d.guest_device_name) 
205                         for d in machine.disks]
206    try:
207        for nic in machine.nics:
208            nic.machine_id = None
209            nic.hostname = None
210            ctx.current.save(nic)
211        for disk in machine.disks:
212            ctx.current.delete(disk)
213        for access in machine.acl:
214            ctx.current.delete(access)
215        ctx.current.delete(machine)
216        transaction.commit()
217    except:
218        transaction.rollback()
219        raise
220    for mname, dname in delete_disk_pairs:
221        remctl('web', 'lvremove', mname, dname)
222    unregisterMachine(machine)
223
224def commandResult(user, fields):
225    start_time = 0
226    machine = validation.testMachineId(user, fields.getfirst('machine_id'))
227    action = fields.getfirst('action')
228    cdrom = fields.getfirst('cdrom')
229    if cdrom is not None and not CDROM.get(cdrom):
230        raise CodeError("Invalid cdrom type '%s'" % cdrom)   
231    if action not in ('Reboot', 'Power on', 'Power off', 'Shutdown', 
232                      'Delete VM'):
233        raise CodeError("Invalid action '%s'" % action)
234    if action == 'Reboot':
235        if cdrom is not None:
236            out, err = remctl('control', machine.name, 'reboot', cdrom,
237                              err=True)
238        else:
239            out, err = remctl('control', machine.name, 'reboot',
240                              err=True)
241        if err:
242            if re.match("Error: Domain '.*' does not exist.", err):
243                raise InvalidInput("action", "reboot", 
244                                   "Machine is not on")
245            else:
246                print >> sys.stderr, 'Error on reboot:'
247                print >> sys.stderr, err
248                raise CodeError('ERROR on remctl')
249               
250    elif action == 'Power on':
251        if validation.maxMemory(user, machine) < machine.memory:
252            raise InvalidInput('action', 'Power on',
253                               "You don't have enough free RAM quota "
254                               "to turn on this machine.")
255        bootMachine(machine, cdrom)
256    elif action == 'Power off':
257        out, err = remctl('control', machine.name, 'destroy', err=True)
258        if err:
259            if re.match("Error: Domain '.*' does not exist.", err):
260                raise InvalidInput("action", "Power off", 
261                                   "Machine is not on.")
262            else:
263                print >> sys.stderr, 'Error on power off:'
264                print >> sys.stderr, err
265                raise CodeError('ERROR on remctl')
266    elif action == 'Shutdown':
267        out, err = remctl('control', machine.name, 'shutdown', err=True)
268        if err:
269            if re.match("Error: Domain '.*' does not exist.", err):
270                raise InvalidInput("action", "Shutdown", 
271                                   "Machine is not on.")
272            else:
273                print >> sys.stderr, 'Error on Shutdown:'
274                print >> sys.stderr, err
275                raise CodeError('ERROR on remctl')
276    elif action == 'Delete VM':
277        deleteVM(machine)
278
279    d = dict(user=user,
280             command=action,
281             machine=machine)
282    return d
283
284def resizeDisk(machine_name, disk_name, new_size):
285    remctl("web", "lvresize", machine_name, disk_name, new_size)
286
287def renameMachine(machine, old_name, new_name):
288    for disk in machine.disks:
289        remctl("web", "lvrename", old_name, 
290               disk.guest_device_name, new_name)
291    remctl("web", "moveregister", old_name, new_name)
292   
Note: See TracBrowser for help on using the repository browser.