models.py 33.8 KB
Newer Older
1
from contextlib import contextmanager
2
from datetime import timedelta
3
from importlib import import_module
4
from logging import getLogger
Dudás Ádám committed
5
from netaddr import EUI, mac_unix
6

7
import django.conf
8
from django.contrib.auth.models import User
Dudás Ádám committed
9
from django.core import signing
Őry Máté committed
10 11 12
from django.db.models import (Model, ForeignKey, ManyToManyField, IntegerField,
                              DateTimeField, BooleanField, TextField,
                              CharField, permalink)
13 14
from django.utils import timezone
from django.utils.translation import ugettext_lazy as _
Dudás Ádám committed
15

16
from model_utils.models import TimeStampedModel
17
from taggit.managers import TaggableManager
18

Dudás Ádám committed
19
from acl.models import AclBase
20
from common.models import ActivityModel, activitycontextimpl, method_cache
21 22
from firewall.models import Vlan, Host
from storage.models import Disk
23
from .tasks import local_tasks, vm_tasks, net_tasks
24

25
logger = getLogger(__name__)
26
pwgen = User.objects.make_random_password
27
scheduler = import_module(name=django.conf.settings.VM_SCHEDULER)
28
ACCESS_PROTOCOLS = django.conf.settings.VM_ACCESS_PROTOCOLS
Őry Máté committed
29 30 31 32
ACCESS_METHODS = [(key, name) for key, (name, port, transport)
                  in ACCESS_PROTOCOLS.iteritems()]
ARCHITECTURES = (('x86_64', 'x86-64 (64 bit)'),
                 ('i686', 'x86 (32 bit)'))
33
VNC_PORT_RANGE = (2000, 65536)  # inclusive start, exclusive end
34 35


Őry Máté committed
36
class BaseResourceConfigModel(Model):
tarokkk committed
37

38
    """Abstract base for models with base resource configuration parameters.
39
    """
Őry Máté committed
40 41 42 43 44 45 46 47 48 49 50 51
    num_cores = IntegerField(verbose_name=_('number of cores'),
                             help_text=_('Number of virtual CPU cores '
                                         'available to the virtual machine.'))
    ram_size = IntegerField(verbose_name=_('RAM size'),
                            help_text=_('Mebibytes of memory.'))
    max_ram_size = IntegerField(verbose_name=_('maximal RAM size'),
                                help_text=_('Upper memory size limit '
                                            'for balloning.'))
    arch = CharField(max_length=10, verbose_name=_('architecture'),
                     choices=ARCHITECTURES)
    priority = IntegerField(verbose_name=_('priority'),
                            help_text=_('CPU priority.'))
52 53 54 55 56 57

    class Meta:
        abstract = True


class NamedBaseResourceConfig(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
58

59 60
    """Pre-created, named base resource configurations.
    """
Őry Máté committed
61 62 63
    name = CharField(max_length=50, unique=True,
                     verbose_name=_('name'), help_text=
                     _('Name of base resource configuration.'))
64 65 66 67 68

    def __unicode__(self):
        return self.name


Dudás Ádám committed
69 70 71 72 73 74 75
class Trait(Model):
    name = CharField(max_length=50, verbose_name=_('name'))

    def __unicode__(self):
        return self.name


76 77 78 79 80 81 82 83 84 85 86
class VirtualMachineDescModel(BaseResourceConfigModel):
    """Abstract base for virtual machine describing models.
    """
    access_method = CharField(max_length=10, choices=ACCESS_METHODS,
                              verbose_name=_('access method'),
                              help_text=_('Primary remote access method.'))
    boot_menu = BooleanField(verbose_name=_('boot menu'), default=False,
                             help_text=_(
                                 'Show boot device selection menu on boot.'))
    raw_data = TextField(verbose_name=_('raw_data'), blank=True, help_text=_(
        'Additional libvirt domain parameters in XML format.'))
Dudás Ádám committed
87 88 89 90 91
    req_traits = ManyToManyField(Trait, blank=True,
                                 help_text=_("A set of traits required for a "
                                             "node to declare to be suitable "
                                             "for hosting the VM."),
                                 verbose_name=_("required traits"))
Dudás Ádám committed
92
    tags = TaggableManager(blank=True, verbose_name=_("tags"))
93 94 95 96 97

    class Meta:
        abstract = True


98
class Node(TimeStampedModel):
tarokkk committed
99

Őry Máté committed
100
    """A VM host machine, a hypervisor.
101
    """
Őry Máté committed
102 103 104 105 106 107 108 109 110 111 112 113 114 115 116
    name = CharField(max_length=50, unique=True,
                     verbose_name=_('name'),
                     help_text=_('Human readable name of node.'))
    num_cores = IntegerField(verbose_name=_('number of cores'),
                             help_text=_('Number of CPU threads '
                                         'available to the virtual machines.'))
    ram_size = IntegerField(verbose_name=_('RAM size'),
                            help_text=_('Mebibytes of memory.'))
    priority = IntegerField(verbose_name=_('priority'),
                            help_text=_('Node usage priority.'))
    host = ForeignKey(Host, verbose_name=_('host'),
                      help_text=_('Host in firewall.'))
    enabled = BooleanField(verbose_name=_('enabled'), default=False,
                           help_text=_('Indicates whether the node can '
                                       'be used for hosting.'))
Dudás Ádám committed
117 118 119
    traits = ManyToManyField(Trait, blank=True,
                             help_text=_("Declared traits."),
                             verbose_name=_('traits'))
Dudás Ádám committed
120
    tags = TaggableManager(blank=True, verbose_name=_("tags"))
121 122 123 124 125

    class Meta:
        permissions = ()

    @property
126
    @method_cache(30)
127
    def online(self):
128
        return True
129

130 131 132
    def __unicode__(self):
        return self.name

133

134 135 136 137
class NodeActivity(ActivityModel):
    node = ForeignKey(Node, related_name='activity_log',
                      help_text=_('Node this activity works on.'),
                      verbose_name=_('node'))
138

139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157
    @classmethod
    def create(cls, code_suffix, node, task_uuid=None, user=None):
        act = cls(activity_code='vm.Node.' + code_suffix,
                  node=node, parent=None, started=timezone.now(),
                  task_uuid=task_uuid, user=user)
        act.save()
        return act

    def create_sub(self, code_suffix, task_uuid=None):
        act = NodeActivity(
            activity_code=self.activity_code + '.' + code_suffix,
            node=self.node, parent=self, started=timezone.now(),
            task_uuid=task_uuid, user=self.user)
        act.save()
        return act

    @contextmanager
    def sub_activity(self, code_suffix, task_uuid=None):
        act = self.create_sub(code_suffix, task_uuid)
158
        return activitycontextimpl(act)
159 160 161 162 163


@contextmanager
def node_activity(code_suffix, node, task_uuid=None, user=None):
    act = InstanceActivity.create(code_suffix, node, task_uuid, user)
164
    return activitycontextimpl(act)
165

Őry Máté committed
166 167

class Lease(Model):
tarokkk committed
168

169 170 171 172 173
    """Lease times for VM instances.

    Specifies a time duration until suspension and deletion of a VM
    instance.
    """
Őry Máté committed
174 175 176 177
    name = CharField(max_length=100, unique=True,
                     verbose_name=_('name'))
    suspend_interval_seconds = IntegerField(verbose_name=_('suspend interval'))
    delete_interval_seconds = IntegerField(verbose_name=_('delete interval'))
178

179 180 181
    class Meta:
        ordering = ['name', ]

182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197
    @property
    def suspend_interval(self):
        return timedelta(seconds=self.suspend_interval_seconds)

    @suspend_interval.setter
    def suspend_interval(self, value):
        self.suspend_interval_seconds = value.seconds

    @property
    def delete_interval(self):
        return timedelta(seconds=self.delete_interval_seconds)

    @delete_interval.setter
    def delete_interval(self, value):
        self.delete_interval_seconds = value.seconds

198 199 200
    def __unicode__(self):
        return self.name

201

202
class InstanceTemplate(VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
203

204 205 206 207 208 209 210 211 212 213 214 215 216 217
    """Virtual machine template.

    Every template has:
      * a name and a description
      * an optional parent template
      * state of the template
      * an OS name/description
      * a method of access to the system
      * default values of base resource configuration
      * list of attached images
      * set of interfaces
      * lease times (suspension & deletion)
      * time of creation and last modification
    """
Őry Máté committed
218
    STATES = [('NEW', _('new')),        # template has just been created
219
              ('SAVING', _('saving')),  # changes are being saved
Őry Máté committed
220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239
              ('READY', _('ready'))]    # template is ready for instantiation
    name = CharField(max_length=100, unique=True,
                     verbose_name=_('name'),
                     help_text=_('Human readable name of template.'))
    description = TextField(verbose_name=_('description'), blank=True)
    parent = ForeignKey('self', null=True, blank=True,
                        verbose_name=_('parent template'),
                        help_text=_('Template which this one is derived of.'))
    system = TextField(verbose_name=_('operating system'),
                       blank=True,
                       help_text=(_('Name of operating system in '
                                    'format like "%s".') %
                                  'Ubuntu 12.04 LTS Desktop amd64'))
    state = CharField(max_length=10, choices=STATES, default='NEW')
    disks = ManyToManyField(Disk, verbose_name=_('disks'),
                            related_name='template_set',
                            help_text=_('Disks which are to be mounted.'))
    lease = ForeignKey(Lease, related_name='template_set',
                       verbose_name=_('lease'),
                       help_text=_('Expiration times.'))
240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259

    class Meta:
        ordering = ['name', ]
        permissions = ()
        verbose_name = _('template')
        verbose_name_plural = _('templates')

    def __unicode__(self):
        return self.name

    def running_instances(self):
        """Returns the number of running instances of the template.
        """
        return self.instance_set.filter(state='RUNNING').count()

    @property
    def os_type(self):
        """Get the type of the template's operating system.
        """
        if self.access_method == 'rdp':
260
            return 'win'
261
        else:
262
            return 'linux'
263 264


Őry Máté committed
265
class InterfaceTemplate(Model):
tarokkk committed
266

267 268 269 270
    """Network interface template for an instance template.

    If the interface is managed, a host will be created for it.
    """
Őry Máté committed
271 272 273 274 275 276 277
    vlan = ForeignKey(Vlan, verbose_name=_('vlan'),
                      help_text=_('Network the interface belongs to.'))
    managed = BooleanField(verbose_name=_('managed'), default=True,
                           help_text=_('If a firewall host (i.e. IP address '
                                       'association) should be generated.'))
    template = ForeignKey(InstanceTemplate, verbose_name=_('template'),
                          related_name='interface_set',
278 279
                          help_text=_('Template the interface '
                                      'template belongs to.'))
280 281 282 283 284 285 286

    class Meta:
        permissions = ()
        verbose_name = _('interface template')
        verbose_name_plural = _('interface templates')


287
class Instance(AclBase, VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
288

289 290 291 292 293 294 295 296 297 298 299
    """Virtual machine instance.

    Every instance has:
      * a name and a description
      * an optional parent template
      * associated share
      * a generated password for login authentication
      * time of deletion and time of suspension
      * lease times (suspension & deletion)
      * last boot timestamp
      * host node
300
      * current state (libvirt domain state)
301 302
      * time of creation and last modification
      * base resource configuration values
303
      * owner and privilege information
304 305 306 307 308 309 310 311 312
    """
    STATES = [('NOSTATE', _('nostate')),
              ('RUNNING', _('running')),
              ('BLOCKED', _('blocked')),
              ('PAUSED', _('paused')),
              ('SHUTDOWN', _('shutdown')),
              ('SHUTOFF', _('shutoff')),
              ('CRASHED', _('crashed')),
              ('PMSUSPENDED', _('pmsuspended'))]  # libvirt domain states
313 314 315 316 317
    ACL_LEVELS = (
        ('user', _('user')),          # see all details
        ('operator', _('operator')),  # console, networking, change state
        ('owner', _('owner')),        # superuser, can delete, delegate perms
    )
Őry Máté committed
318
    name = CharField(blank=True, max_length=100, verbose_name=_('name'),
319
                     help_text=_("Human readable name of instance."))
Őry Máté committed
320 321 322
    description = TextField(blank=True, verbose_name=_('description'))
    template = ForeignKey(InstanceTemplate, blank=True, null=True,
                          related_name='instance_set',
323
                          help_text=_("Template the instance derives from."),
Őry Máté committed
324
                          verbose_name=_('template'))
325
    pw = CharField(help_text=_("Original password of the instance."),
Őry Máté committed
326 327 328
                   max_length=20, verbose_name=_('password'))
    time_of_suspend = DateTimeField(blank=True, default=None, null=True,
                                    verbose_name=_('time of suspend'),
329 330
                                    help_text=_("Proposed time of automatic "
                                                "suspension."))
Őry Máté committed
331 332
    time_of_delete = DateTimeField(blank=True, default=None, null=True,
                                   verbose_name=_('time of delete'),
333 334
                                   help_text=_("Proposed time of automatic "
                                               "deletion."))
Őry Máté committed
335
    active_since = DateTimeField(blank=True, null=True,
336 337
                                 help_text=_("Time stamp of successful "
                                             "boot report."),
Őry Máté committed
338 339 340
                                 verbose_name=_('active since'))
    node = ForeignKey(Node, blank=True, null=True,
                      related_name='instance_set',
341
                      help_text=_("Current hypervisor of this instance."),
Őry Máté committed
342 343 344
                      verbose_name=_('host node'))
    state = CharField(choices=STATES, default='NOSTATE', max_length=20)
    disks = ManyToManyField(Disk, related_name='instance_set',
345
                            help_text=_("Set of mounted disks."),
Őry Máté committed
346
                            verbose_name=_('disks'))
347
    lease = ForeignKey(Lease, help_text=_("Preferred expiration periods."))
348 349 350
    vnc_port = IntegerField(blank=True, default=None, null=True,
                            help_text=_("TCP port where VNC console listens."),
                            unique=True, verbose_name=_('vnc_port'))
Őry Máté committed
351
    owner = ForeignKey(User)
Dudás Ádám committed
352
    destroyed = DateTimeField(blank=True, null=True,
353 354
                              help_text=_("The virtual machine's time of "
                                          "destruction."))
355 356 357 358 359 360 361

    class Meta:
        ordering = ['pk', ]
        verbose_name = _('instance')
        verbose_name_plural = _('instances')

    def __unicode__(self):
362 363
        parts = [self.name, "(" + str(self.id) + ")"]
        return " ".join([s for s in parts if s != ""])
364 365

    @classmethod
366
    def create_from_template(cls, template, owner, disks=None, networks=None,
Dudás Ádám committed
367
                             req_traits=None, tags=None, **kwargs):
368 369 370 371 372
        """Create a new instance based on an InstanceTemplate.

        Can also specify parameters as keyword arguments which should override
        template settings.
        """
373
        disks = template.disks.all() if disks is None else disks
374

375 376 377
        networks = (template.interface_set.all() if networks is None
                    else networks)

Dudás Ádám committed
378 379 380
        req_traits = (template.req_traits.all() if req_traits is None
                      else req_traits)

Dudás Ádám committed
381 382
        tags = template.tags.all() if tags is None else tags

383
        # prepare parameters
Dudás Ádám committed
384 385 386 387 388 389 390
        common_fields = ['name', 'description', 'num_cores', 'ram_size',
                         'max_ram_size', 'arch', 'priority', 'boot_menu',
                         'raw_data', 'lease', 'access_method']
        params = dict(template=template, owner=owner, pw=pwgen())
        params.update([(f, getattr(template, f)) for f in common_fields])
        params.update(kwargs)  # override defaults w/ user supplied values

391
        # create instance and do additional setup
Dudás Ádám committed
392 393
        inst = cls(**params)

394
        # save instance
395
        inst.clean()
396
        inst.save()
Dudás Ádám committed
397

398
        # create related entities
Dudás Ádám committed
399
        inst.disks.add(*[disk.get_exclusive() for disk in disks])
400

401
        for net in networks:
402 403
            i = Interface.create(instance=inst, vlan=net['vlan'], owner=owner,
                                 managed=net['managed'])
404 405
            if i.host:
                i.host.enable_net()
406 407 408
                port, proto = ACCESS_PROTOCOLS[i.instance.access_method][1:3]
                # TODO fix this port fw
                i.host.add_port(proto, private=port)
409

Dudás Ádám committed
410
        inst.req_traits.add(*req_traits)
Dudás Ádám committed
411 412
        inst.tags.add(*tags)

413 414
        return inst

Őry Máté committed
415
    @permalink
416
    def get_absolute_url(self):
417
        return ('dashboard.views.detail', None, {'pk': self.id})
418 419

    @property
420 421 422 423 424 425 426 427 428
    def vm_name(self):
        """Name of the VM instance.

        This is a unique identifier as opposed to the 'name' attribute, which
        is just for display.
        """
        return 'cloud-' + str(self.id)

    @property
429 430 431 432 433 434
    def mem_dump(self):
        """Return the path for the memory dump.

        It is always on the first hard drive storage named cloud-<id>.dump
        """
        path = self.disks.all()[0].datastore.path
Dudás Ádám committed
435
        return path + '/' + self.vm_name + '.dump'
436 437

    @property
438 439 440 441 442 443 444 445 446 447 448 449 450 451 452
    def primary_host(self):
        interfaces = self.interface_set.select_related('host')
        hosts = [i.host for i in interfaces if i.host]
        if not hosts:
            return None
        hs = [h for h in hosts if h.ipv6]
        if hs:
            return hs[0]
        hs = [h for h in hosts if not h.shared_ip]
        if hs:
            return hs[0]
        return hosts[0]

    @property
    def ipv4(self):
453 454
        """Primary IPv4 address of the instance.
        """
455 456 457 458
        return self.primary_host.ipv4 if self.primary_host else None

    @property
    def ipv6(self):
459 460
        """Primary IPv6 address of the instance.
        """
461 462 463 464
        return self.primary_host.ipv6 if self.primary_host else None

    @property
    def mac(self):
465 466
        """Primary MAC address of the instance.
        """
467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488
        return self.primary_host.mac if self.primary_host else None

    @property
    def uptime(self):
        """Uptime of the instance.
        """
        if self.active_since:
            return timezone.now() - self.active_since
        else:
            return timedelta()  # zero

    def get_age(self):
        """Deprecated. Use uptime instead.

        Get age of VM in seconds.
        """
        return self.uptime.seconds

    @property
    def waiting(self):
        """Indicates whether the instance's waiting for an operation to finish.
        """
489
        return self.activity_log.filter(finished__isnull=True).exists()
490 491 492 493 494 495 496 497 498 499 500 501 502 503 504

    def get_connect_port(self, use_ipv6=False):
        """Get public port number for default access method.
        """
        port, proto = ACCESS_PROTOCOLS[self.access_method][1:3]
        if self.primary_host:
            endpoints = self.primary_host.get_public_endpoints(port, proto)
            endpoint = endpoints['ipv6'] if use_ipv6 else endpoints['ipv4']
            return endpoint[1] if endpoint else None
        else:
            return None

    def get_connect_host(self, use_ipv6=False):
        """Get public hostname.
        """
505
        if not self.interface_set.exclude(host=None):
506 507
            return _('None')
        proto = 'ipv6' if use_ipv6 else 'ipv4'
508 509
        return self.interface_set.exclude(host=None)[0].host.get_hostname(
            proto=proto)
510 511 512 513 514 515 516 517 518 519

    def get_connect_uri(self, use_ipv6=False):
        """Get access parameters in URI format.
        """
        try:
            port = self.get_connect_port(use_ipv6=use_ipv6)
            host = self.get_connect_host(use_ipv6=use_ipv6)
            proto = self.access_method
            if proto == 'ssh':
                proto = 'sshterm'
520 521 522
            return ('%(proto)s:cloud:%(pw)s:%(host)s:%(port)d' %
                    {'port': port, 'proto': proto, 'pw': self.pw,
                     'host': host})
523 524 525
        except:
            return

tarokkk committed
526 527
    def get_vm_desc(self):
        return {
528
            'name': self.vm_name,
529
            'vcpu': self.num_cores,
530
            'memory': int(self.ram_size) * 1024,  # convert from MiB to KiB
Őry Máté committed
531
            'memory_max': int(self.max_ram_size) * 1024,  # convert MiB to KiB
532 533 534 535 536
            'cpu_share': self.priority,
            'arch': self.arch,
            'boot_menu': self.boot_menu,
            'network_list': [n.get_vmnetwork_desc()
                             for n in self.interface_set.all()],
537 538 539 540 541
            'disk_list': [d.get_vmdisk_desc() for d in self.disks.all()],
            'graphics': {
                'type': 'vnc',
                'listen': '0.0.0.0',
                'passwd': '',
Guba Sándor committed
542
                'port': self.vnc_port
543
            },
544
            'boot_token': signing.dumps(self.id, salt='activate'),
Guba Sándor committed
545
            'raw_data': "" if not self.raw_data else self.raw_data
546
        }
tarokkk committed
547

548 549 550 551 552 553
    def get_remote_queue_name(self, queue_id):
        """Get the remote worker queue name of this instance with the specified
           queue ID.
        """
        return self.node.host.hostname + "." + queue_id

Dudás Ádám committed
554 555 556 557 558 559 560 561 562 563 564
    def renew(self, which='both'):
        """Renew virtual machine instance leases.
        """
        if which not in ['suspend', 'delete', 'both']:
            raise ValueError('No such expiration type.')
        if which in ['suspend', 'both']:
            self.time_of_suspend = timezone.now() + self.lease.suspend_interval
        if which in ['delete', 'both']:
            self.time_of_delete = timezone.now() + self.lease.delete_interval
        self.save()

565
    def deploy(self, user=None, task_uuid=None):
Dudás Ádám committed
566 567 568 569 570 571 572 573 574 575 576
        """Deploy new virtual machine with network

        :param self: The virtual machine to deploy.
        :type self: vm.models.Instance

        :param user: The user who's issuing the command.
        :type user: django.contrib.auth.models.User

        :param task_uuid: The task's UUID, if the command is being executed
                          asynchronously.
        :type task_uuid: str
577
        """
578 579
        with instance_activity(code_suffix='deploy', instance=self,
                               task_uuid=task_uuid, user=user) as act:
580

581 582 583 584 585 586 587 588 589 590
            # Find unused port for VNC
            if self.vnc_port is None:
                used = Instance.objects.values_list('vnc_port', flat=True)
                for p in xrange(*VNC_PORT_RANGE):
                    if p not in used:
                        self.vnc_port = p
                        break
                else:
                    raise Exception("No unused port could be found for VNC.")

591
            # Schedule
592 593
            self.node = scheduler.get_node(self, Node.objects.all())
            self.save()
tarokkk committed
594

595 596 597 598
            # Deploy virtual images
            with act.sub_activity('deploying_disks'):
                for disk in self.disks.all():
                    disk.deploy()
599

600 601 602
            queue_name = self.get_remote_queue_name('vm')
            # Deploy VM on remote machine
            with act.sub_activity('deploying_vm'):
603
                vm_tasks.deploy.apply_async(args=[self.get_vm_desc()],
604
                                            queue=queue_name).get()
tarokkk committed
605

606 607 608 609
            # Estabilish network connection (vmdriver)
            with act.sub_activity('deploying_net'):
                for net in self.interface_set.all():
                    net.deploy()
tarokkk committed
610

611 612 613 614
            # Resume vm
            with act.sub_activity('booting'):
                vm_tasks.resume.apply_async(args=[self.vm_name],
                                            queue=queue_name).get()
615

616 617 618
    def deploy_async(self, user=None):
        """Execute deploy asynchronously.
        """
619 620
        return local_tasks.deploy.apply_async(args=[self, user],
                                              queue="localhost.man")
621

622
    def destroy(self, user=None, task_uuid=None):
Dudás Ádám committed
623 624 625 626 627 628 629 630 631 632 633
        """Remove virtual machine and its networks.

        :param self: The virtual machine to destroy.
        :type self: vm.models.Instance

        :param user: The user who's issuing the command.
        :type user: django.contrib.auth.models.User

        :param task_uuid: The task's UUID, if the command is being executed
                          asynchronously.
        :type task_uuid: str
634
        """
635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653
        with instance_activity(code_suffix='destroy', instance=self,
                               task_uuid=task_uuid, user=user) as act:

            # Destroy networks
            with act.sub_activity('destroying_net'):
                for net in self.interface_set.all():
                    net.destroy()

            # Destroy virtual machine
            with act.sub_activity('destroying_vm'):
                queue_name = self.get_remote_queue_name('vm')
                vm_tasks.destroy.apply_async(args=[self.vm_name],
                                             queue=queue_name).get()

            # Destroy disks
            with act.sub_activity('destroying_disks'):
                for disk in self.disks.all():
                    disk.destroy()

654 655 656 657
            # Clear node and VNC port association
            self.node = None
            self.vnc_port = None

Dudás Ádám committed
658
            self.destroyed = timezone.now()
659
            self.save()
660 661

    def destroy_async(self, user=None):
Dudás Ádám committed
662
        """Execute destroy asynchronously.
663
        """
664 665
        return local_tasks.destroy.apply_async(args=[self, user],
                                               queue="localhost.man")
666 667 668 669

    def sleep(self, user=None, task_uuid=None):
        """Suspend virtual machine with memory dump.
        """
670 671
        with instance_activity(code_suffix='sleep', instance=self,
                               task_uuid=task_uuid, user=user):
672

673 674 675
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.sleep.apply_async(args=[self.vm_name, self.mem_dump],
                                       queue=queue_name).get()
Guba Sándor committed
676

677
    def sleep_async(self, user=None):
Dudás Ádám committed
678
        """Execute sleep asynchronously.
679
        """
680 681
        return local_tasks.sleep.apply_async(args=[self, user],
                                             queue="localhost.man")
Guba Sándor committed
682

683
    def wake_up(self, user=None, task_uuid=None):
684 685
        with instance_activity(code_suffix='wake_up', instance=self,
                               task_uuid=task_uuid, user=user):
686

687 688 689
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.resume.apply_async(args=[self.vm_name, self.dump_mem],
                                        queue=queue_name).get()
690

691
    def wake_up_async(self, user=None):
Dudás Ádám committed
692
        """Execute wake_up asynchronously.
693
        """
694 695
        return local_tasks.wake_up.apply_async(args=[self, user],
                                               queue="localhost.man")
696

697 698 699
    def shutdown(self, user=None, task_uuid=None):
        """Shutdown virtual machine with ACPI signal.
        """
700 701
        with instance_activity(code_suffix='shutdown', instance=self,
                               task_uuid=task_uuid, user=user):
702

703 704 705
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.shutdown.apply_async(args=[self.vm_name],
                                          queue=queue_name).get()
Guba Sándor committed
706

707 708
    def shutdown_async(self, user=None):
        """Execute shutdown asynchronously.
709
        """
710 711
        return local_tasks.shutdown.apply_async(args=[self, user],
                                                queue="localhost.man")
Guba Sándor committed
712

713 714 715
    def reset(self, user=None, task_uuid=None):
        """Reset virtual machine (reset button)
        """
716 717
        with instance_activity(code_suffix='reset', instance=self,
                               task_uuid=task_uuid, user=user):
718

719 720 721
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.restart.apply_async(args=[self.vm_name],
                                         queue=queue_name).get()
Guba Sándor committed
722

723 724
    def reset_async(self, user=None):
        """Execute reset asynchronously.
725
        """
726 727
        return local_tasks.restart.apply_async(args=[self, user],
                                               queue="localhost.man")
Guba Sándor committed
728

729
    def reboot(self, user=None, task_uuid=None):
Dudás Ádám committed
730
        """Reboot virtual machine with Ctrl+Alt+Del signal.
731
        """
732 733
        with instance_activity(code_suffix='reboot', instance=self,
                               task_uuid=task_uuid, user=user):
734

735 736 737
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.reboot.apply_async(args=[self.vm_name],
                                        queue=queue_name).get()
738

739 740
    def reboot_async(self, user=None):
        """Execute reboot asynchronously.
741
        """
742 743
        return local_tasks.reboot.apply_async(args=[self, user],
                                              queue="localhost.man")
744

745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777
    def save_as_template(self, name, **kwargs):
        # prepare parameters
        kwargs.setdefault('name', name)
        kwargs.setdefault('description', self.description)
        kwargs.setdefault('parent', self.template)
        kwargs.setdefault('num_cores', self.num_cores)
        kwargs.setdefault('ram_size', self.ram_size)
        kwargs.setdefault('max_ram_size', self.max_ram_size)
        kwargs.setdefault('arch', self.arch)
        kwargs.setdefault('priority', self.priority)
        kwargs.setdefault('boot_menu', self.boot_menu)
        kwargs.setdefault('raw_data', self.raw_data)
        kwargs.setdefault('lease', self.lease)
        kwargs.setdefault('access_method', self.access_method)
        kwargs.setdefault('system', self.template.system
                          if self.template else None)
        # create template and do additional setup
        tmpl = InstanceTemplate(**kwargs)
        # save template
        tmpl.save()
        # create related entities
        for disk in self.disks.all():
            try:
                d = disk.save_as()
            except Disk.WrongDiskTypeError:
                d = disk

            tmpl.disks.add(d)

        for i in self.interface_set.all():
            i.save_as_template(tmpl)

        return tmpl
tarokkk committed
778

779

780 781 782 783 784
class InstanceActivity(ActivityModel):
    instance = ForeignKey(Instance, related_name='activity_log',
                          help_text=_('Instance this activity works on.'),
                          verbose_name=_('instance'))

785 786 787
    class Meta:
        ordering = ['-started', 'instance', '-id']

788 789
    def __unicode__(self):
        if self.parent:
Őry Máté committed
790
            return '{}({})->{}'.format(self.parent.activity_code,
791
                                       self.instance,
Őry Máté committed
792
                                       self.activity_code)
793
        else:
Őry Máté committed
794
            return '{}({})'.format(self.activity_code,
795
                                   self.instance)
796

797 798 799
    def get_readable_name(self):
        return self.activity_code.split('.')[-1].replace('_', ' ').capitalize()

800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818
    @classmethod
    def create(cls, code_suffix, instance, task_uuid=None, user=None):
        act = cls(activity_code='vm.Instance.' + code_suffix,
                  instance=instance, parent=None, started=timezone.now(),
                  task_uuid=task_uuid, user=user)
        act.save()
        return act

    def create_sub(self, code_suffix, task_uuid=None):
        act = InstanceActivity(
            activity_code=self.activity_code + '.' + code_suffix,
            instance=self.instance, parent=self, started=timezone.now(),
            task_uuid=task_uuid, user=self.user)
        act.save()
        return act

    @contextmanager
    def sub_activity(self, code_suffix, task_uuid=None):
        act = self.create_sub(code_suffix, task_uuid)
819
        return activitycontextimpl(act)
820 821 822 823 824


@contextmanager
def instance_activity(code_suffix, instance, task_uuid=None, user=None):
    act = InstanceActivity.create(code_suffix, instance, task_uuid, user)
825
    return activitycontextimpl(act)
tarokkk committed
826

827

Őry Máté committed
828
class Interface(Model):
829 830 831

    """Network interface for an instance.
    """
Őry Máté committed
832 833 834 835 836
    vlan = ForeignKey(Vlan, verbose_name=_('vlan'),
                      related_name="vm_interface")
    host = ForeignKey(Host, verbose_name=_('host'),  blank=True, null=True)
    instance = ForeignKey(Instance, verbose_name=_('instance'),
                          related_name='interface_set')
837

838 839 840
    def __unicode__(self):
        return 'cloud-' + str(self.instance.id) + '-' + str(self.vlan.vid)

841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857
    @property
    def mac(self):
        try:
            return self.host.mac
        except:
            return Interface.generate_mac(self.instance, self.vlan)

    @classmethod
    def generate_mac(cls, instance, vlan):
        """Generate MAC address for a VM instance on a VLAN.
        """
        # MAC 02:XX:XX:XX:XX:XX
        #        \________/\__/
        #           VM ID   VLAN ID
        i = instance.id & 0xfffffff
        v = vlan.vid & 0xfff
        m = (0x02 << 40) | (i << 12) | v
858
        return EUI(m, dialect=mac_unix)
859 860 861

    def get_vmnetwork_desc(self):
        return {
Dudás Ádám committed
862
            'name': self.__unicode__(),
863
            'bridge': 'cloud',
864
            'mac': str(self.mac),
865 866
            'ipv4': str(self.host.ipv4) if self.host is not None else None,
            'ipv6': str(self.host.ipv6) if self.host is not None else None,
867 868 869 870
            'vlan': self.vlan.vid,
            'managed': self.host is not None
        }

871 872 873
    def deploy(self, user=None, task_uuid=None):
        net_tasks.create.apply_async(
            args=[self.get_vmnetwork_desc()],
874
            queue=self.instance.get_remote_queue_name('net'))
875

876 877
    def destroy(self, user=None, task_uuid=None):
        net_tasks.destroy.apply_async(
878
            args=[self.get_vmnetwork_desc()],
879
            queue=self.instance.get_remote_queue_name('net'))
Guba Sándor committed
880

881
    @classmethod
882 883
    def create(cls, instance, vlan, managed, owner=None):
        """Create a new interface for a VM instance to the specified VLAN.
884
        """
885
        if managed:
886
            host = Host()
887
            host.vlan = vlan
888
            # TODO change Host's mac field's type to EUI in firewall
889
            host.mac = str(cls.generate_mac(instance, vlan))
890
            host.hostname = instance.vm_name
891
            # Get adresses from firewall
892
            addresses = vlan.get_new_address()
893 894
            host.ipv4 = addresses['ipv4']
            host.ipv6 = addresses['ipv6']
895
            host.owner = owner
896 897 898
            host.save()
        else:
            host = None
899

900
        iface = cls(vlan=vlan, host=host, instance=instance)
901 902
        iface.save()
        return iface
903 904 905 906 907 908 909 910

    def save_as_template(self, instance_template):
        """Create a template based on this interface.
        """
        i = InterfaceTemplate(vlan=self.vlan, managed=self.host is not None,
                              template=instance_template)
        i.save()
        return i