source: package_branches/invirt-web/cherrypy/code/controls.py @ 2418

Last change on this file since 2418 was 2418, checked in by quentin, 15 years ago

Make commands work from list and info pages

File size: 9.4 KB
Line 
1import validation
2from invirt.common import CodeError, InvalidInput
3import random
4import sys
5import time
6import re
7import cache_acls
8import yaml
9
10from invirt.config import structs as config
11from invirt.database import Machine, Disk, Type, NIC, CDROM, session, meta
12from invirt.remctl import remctl as gen_remctl
13
14# ... and stolen from xend/uuid.py
15def randomUUID():
16    """Generate a random UUID."""
17
18    return [ random.randint(0, 255) for _ in range(0, 16) ]
19
20def uuidToString(u):
21    """Turn a numeric UUID to a hyphen-seperated one."""
22    return "-".join(["%02x" * 4, "%02x" * 2, "%02x" * 2, "%02x" * 2,
23                     "%02x" * 6]) % tuple(u)
24# end stolen code
25
26def remctl(*args, **kwargs):
27    return gen_remctl(config.remote.hostname,
28                      principal='daemon/'+config.web.hostname,
29                      *args, **kwargs)
30
31def lvcreate(machine, disk):
32    """Create a single disk for a machine"""
33    remctl('web', 'lvcreate', machine.name,
34           disk.guest_device_name, str(disk.size))
35   
36def makeDisks(machine):
37    """Update the lvm partitions to add a disk."""
38    for disk in machine.disks:
39        lvcreate(machine, disk)
40
41def getswap(disksize, memsize):
42    """Returns the recommended swap partition size."""
43    return int(min(disksize / 4, memsize * 1.5))
44
45def lvinstall(machine, autoinstall):
46    disksize = machine.disks[0].size
47    memsize = machine.memory
48    swapsize = getswap(disksize, memsize)
49    imagesize = disksize - swapsize
50    ip = machine.nics[0].ip
51    remctl('control', machine.name, 'install', 
52           'dist=%s' % autoinstall.distribution,
53           'mirror=%s' % autoinstall.mirror,
54           'arch=%s' % autoinstall.arch,
55           'imagesize=%s' % imagesize)
56
57def lvcopy(machine_orig_name, machine, rootpw):
58    """Copy a golden image onto a machine's disk"""
59    remctl('web', 'lvcopy', machine_orig_name, machine.name, rootpw)
60
61def bootMachine(machine, cdtype):
62    """Boot a machine with a given boot CD.
63
64    If cdtype is None, give no boot cd.  Otherwise, it is the string
65    id of the CD (e.g. 'gutsy_i386')
66    """
67    if cdtype is not None:
68        out, err = remctl('control', machine.name, 'create', 
69                          cdtype, err=True)
70    else:
71        out, err = remctl('control', machine.name, 'create',
72                          err=True)
73    if 'already running' in err:
74        raise InvalidInput('action', 'create',
75                           'VM %s is already on' % machine.name)
76    elif err:
77        raise CodeError('"%s" on "control %s create %s' 
78                        % (err, machine.name, cdtype))
79
80def createVm(username, state, owner, contact, name, description, memory, disksize, machine_type, cdrom, autoinstall):
81    """Create a VM and put it in the database"""
82    # put stuff in the table
83    session.begin()
84    try:
85        validation.Validate(username, state, name=name, description=description, owner=owner, memory=memory, disksize=disksize/1024.)
86        machine = Machine()
87        machine.name = name
88        machine.description = description
89        machine.memory = memory
90        machine.owner = owner
91        machine.administrator = None
92        machine.contact = contact
93        machine.uuid = uuidToString(randomUUID())
94        machine.boot_off_cd = True
95        machine.type = machine_type
96        session.save_or_update(machine)
97        disk = Disk(machine=machine,
98                    guest_device_name='hda', size=disksize)
99        nic = NIC.query().filter_by(machine_id=None).filter_by(reusable=True).first()
100        if not nic: #No IPs left!
101            raise CodeError("No IP addresses left!  "
102                            "Contact %s." % config.web.errormail)
103        nic.machine = machine
104        nic.hostname = name
105        session.save_or_update(nic)
106        session.save_or_update(disk)
107        cache_acls.refreshMachine(machine)
108        makeDisks(machine)
109        session.commit()
110    except:
111        session.rollback()
112        raise
113    try:
114        if autoinstall:
115            lvinstall(machine, autoinstall)
116        else:
117            # tell it to boot with cdrom
118            bootMachine(machine, cdrom)
119    except CodeError, e:
120        deleteVM(machine)
121        raise
122    return machine
123
124def getList():
125    """Return a dictionary mapping machine names to dicts."""
126    value_string = remctl('web', 'listvms')
127    value_dict = yaml.load(value_string, yaml.CSafeLoader)
128    return value_dict
129
130def parseStatus(s):
131    """Parse a status string into nested tuples of strings.
132
133    s = output of xm list --long <machine_name>
134    """
135    values = re.split('([()])', s)
136    stack = [[]]
137    for v in values[2:-2]: #remove initial and final '()'
138        if not v:
139            continue
140        v = v.strip()
141        if v == '(':
142            stack.append([])
143        elif v == ')':
144            if len(stack[-1]) == 1:
145                stack[-1].append('')
146            stack[-2].append(stack[-1])
147            stack.pop()
148        else:
149            if not v:
150                continue
151            stack[-1].extend(v.split())
152    return stack[-1]
153
154def statusInfo(machine):
155    """Return the status list for a given machine.
156
157    Gets and parses xm list --long
158    """
159    value_string, err_string = remctl('control', machine.name, 'list-long', 
160                                      err=True)
161    if 'Unknown command' in err_string:
162        raise CodeError("ERROR in remctl list-long %s is not registered" % 
163                        (machine.name,))
164    elif 'is not on' in err_string:
165        return None
166    elif err_string:
167        raise CodeError("ERROR in remctl list-long %s%s" % 
168                        (machine.name, err_string))
169    status = parseStatus(value_string)
170    return status
171
172def listHost(machine):
173    """Return the host a machine is running on"""
174    out, err = remctl('control', machine.name, 'listhost', err=True)
175    if err:
176        return None
177    return out.strip()
178
179def vnctoken(machine):
180    """Return a time-stamped VNC token"""
181    out, err = remctl('control', machine.name, 'vnctoken', err=True)
182    if err:
183        return None
184    return out.strip()
185
186def deleteVM(machine):
187    """Delete a VM."""
188    remctl('control', machine.name, 'destroy', err=True)
189    session.begin()
190    delete_disk_pairs = [(machine.name, d.guest_device_name) 
191                         for d in machine.disks]
192    try:
193        for mname, dname in delete_disk_pairs:
194            remctl('web', 'lvremove', mname, dname)
195        for nic in machine.nics:
196            nic.machine_id = None
197            nic.hostname = None
198            session.save_or_update(nic)
199        for disk in machine.disks:
200            session.delete(disk)
201        session.delete(machine)
202        session.commit()
203    except:
204        session.rollback()
205        raise
206
207def commandResult(username, state, command_name, machine_id, fields):
208    start_time = 0
209    machine = validation.Validate(username, state, machine_id=machine_id).machine
210    action = command_name
211    cdrom = fields.get('cdrom')
212    if not cdrom:
213        cdrom = None
214    if cdrom is not None and not CDROM.query().filter_by(cdrom_id=cdrom).one():
215        raise CodeError("Invalid cdrom type '%s'" % cdrom)   
216    if action not in "reboot create destroy shutdown delete".split(" "):
217        raise CodeError("Invalid action '%s'" % action)
218    if action == 'reboot':
219        if cdrom is not None:
220            out, err = remctl('control', machine.name, 'reboot', cdrom,
221                              err=True)
222        else:
223            out, err = remctl('control', machine.name, 'reboot',
224                              err=True)
225        if err:
226            if re.match("machine '.*' is not on", err):
227                raise InvalidInput("action", "reboot", 
228                                   "Machine is not on")
229            else:
230                print >> sys.stderr, 'Error on reboot:'
231                print >> sys.stderr, err
232                raise CodeError('ERROR on remctl')
233               
234    elif action == 'create':
235        if validation.maxMemory(username, state, machine) < machine.memory:
236            raise InvalidInput('action', 'Power on',
237                               "You don't have enough free RAM quota "
238                               "to turn on this machine.")
239        bootMachine(machine, cdrom)
240    elif action == 'destroy':
241        out, err = remctl('control', machine.name, 'destroy', err=True)
242        if err:
243            if re.match("machine '.*' is not on", err):
244                raise InvalidInput("action", "Power off", 
245                                   "Machine is not on.")
246            else:
247                print >> sys.stderr, 'Error on power off:'
248                print >> sys.stderr, err
249                raise CodeError('ERROR on remctl')
250    elif action == 'shutdown':
251        out, err = remctl('control', machine.name, 'shutdown', err=True)
252        if err:
253            if re.match("machine '.*' is not on", err):
254                raise InvalidInput("action", "Shutdown", 
255                                   "Machine is not on.")
256            else:
257                print >> sys.stderr, 'Error on Shutdown:'
258                print >> sys.stderr, err
259                raise CodeError('ERROR on remctl')
260    elif action == 'delete':
261        deleteVM(machine)
262
263    d = dict(user=username,
264             command=action,
265             machine=machine)
266    return d
267
268def resizeDisk(machine_name, disk_name, new_size):
269    remctl("web", "lvresize", machine_name, disk_name, new_size)
270
271def renameMachine(machine, old_name, new_name):
272    for disk in machine.disks:
273        remctl("web", "lvrename", old_name, 
274               disk.guest_device_name, new_name)
275   
Note: See TracBrowser for help on using the repository browser.