models.py 32.1 KB
Newer Older
1
from contextlib import contextmanager
2
from datetime import timedelta
3
from importlib import import_module
Őry Máté committed
4
import logging
5

6
import django.conf
7
from django.contrib.auth.models import User
Őry Máté committed
8 9 10
from django.db.models import (Model, ForeignKey, ManyToManyField, IntegerField,
                              DateTimeField, BooleanField, TextField,
                              CharField, permalink)
11 12 13
from django.utils import timezone
from django.utils.translation import ugettext_lazy as _
from model_utils.models import TimeStampedModel
14
from netaddr import EUI, mac_unix
15

16
from .tasks import local_tasks, vm_tasks, net_tasks
17
from common.models import ActivityModel, activitycontextimpl
18 19
from firewall.models import Vlan, Host
from storage.models import Disk
20

21 22 23

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


Őry Máté committed
33
class BaseResourceConfigModel(Model):
tarokkk committed
34

35
    """Abstract base for models with base resource configuration parameters.
36
    """
Őry Máté committed
37 38 39 40 41 42 43 44 45 46 47 48
    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.'))
49 50 51 52 53 54

    class Meta:
        abstract = True


class NamedBaseResourceConfig(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
55

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

    def __unicode__(self):
        return self.name


66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81
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.'))

    class Meta:
        abstract = True


82
class Node(TimeStampedModel):
tarokkk committed
83

Őry Máté committed
84
    """A VM host machine, a hypervisor.
85
    """
Őry Máté committed
86 87 88 89 90 91 92 93 94 95 96 97 98 99 100
    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.'))
101 102 103 104 105 106 107 108 109 110

    class Meta:
        permissions = ()

    @property
    def online(self):
        """Indicates whether the node is connected and functional.
        """
        pass  # TODO implement check

111 112 113
    def __unicode__(self):
        return self.name

114

115 116 117 118
class NodeActivity(ActivityModel):
    node = ForeignKey(Node, related_name='activity_log',
                      help_text=_('Node this activity works on.'),
                      verbose_name=_('node'))
119

120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138
    @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)
139
        return activitycontextimpl(act)
140 141 142 143 144


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

Őry Máté committed
147 148

class Lease(Model):
tarokkk committed
149

150 151 152 153 154
    """Lease times for VM instances.

    Specifies a time duration until suspension and deletion of a VM
    instance.
    """
Őry Máté committed
155 156 157 158
    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'))
159

160 161 162
    class Meta:
        ordering = ['name', ]

163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178
    @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

179 180 181
    def __unicode__(self):
        return self.name

182

183
class InstanceTemplate(VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
184

185 186 187 188 189 190 191 192 193 194 195 196 197 198
    """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
199
    STATES = [('NEW', _('new')),        # template has just been created
200
              ('SAVING', _('saving')),  # changes are being saved
Őry Máté committed
201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220
              ('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.'))
221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240

    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':
241
            return 'win'
242
        else:
243
            return 'linux'
244 245


Őry Máté committed
246
class InterfaceTemplate(Model):
tarokkk committed
247

248 249 250 251
    """Network interface template for an instance template.

    If the interface is managed, a host will be created for it.
    """
Őry Máté committed
252 253 254 255 256 257 258
    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',
259 260
                          help_text=_('Template the interface '
                                      'template belongs to.'))
261 262 263 264 265 266 267

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


268
class Instance(VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
269

270 271 272 273 274 275 276 277 278 279 280
    """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
281
      * current state (libvirt domain state)
282 283
      * time of creation and last modification
      * base resource configuration values
284
      * owner and privilege information
285 286 287 288 289 290 291 292 293
    """
    STATES = [('NOSTATE', _('nostate')),
              ('RUNNING', _('running')),
              ('BLOCKED', _('blocked')),
              ('PAUSED', _('paused')),
              ('SHUTDOWN', _('shutdown')),
              ('SHUTOFF', _('shutoff')),
              ('CRASHED', _('crashed')),
              ('PMSUSPENDED', _('pmsuspended'))]  # libvirt domain states
Őry Máté committed
294
    name = CharField(blank=True, max_length=100, verbose_name=_('name'),
295
                     help_text=_("Human readable name of instance."))
Őry Máté committed
296 297 298
    description = TextField(blank=True, verbose_name=_('description'))
    template = ForeignKey(InstanceTemplate, blank=True, null=True,
                          related_name='instance_set',
299
                          help_text=_("Template the instance derives from."),
Őry Máté committed
300
                          verbose_name=_('template'))
301
    pw = CharField(help_text=_("Original password of the instance."),
Őry Máté committed
302 303 304
                   max_length=20, verbose_name=_('password'))
    time_of_suspend = DateTimeField(blank=True, default=None, null=True,
                                    verbose_name=_('time of suspend'),
305 306
                                    help_text=_("Proposed time of automatic "
                                                "suspension."))
Őry Máté committed
307 308
    time_of_delete = DateTimeField(blank=True, default=None, null=True,
                                   verbose_name=_('time of delete'),
309 310
                                   help_text=_("Proposed time of automatic "
                                               "deletion."))
Őry Máté committed
311
    active_since = DateTimeField(blank=True, null=True,
312 313
                                 help_text=_("Time stamp of successful "
                                             "boot report."),
Őry Máté committed
314 315 316
                                 verbose_name=_('active since'))
    node = ForeignKey(Node, blank=True, null=True,
                      related_name='instance_set',
317
                      help_text=_("Current hypervisor of this instance."),
Őry Máté committed
318 319 320
                      verbose_name=_('host node'))
    state = CharField(choices=STATES, default='NOSTATE', max_length=20)
    disks = ManyToManyField(Disk, related_name='instance_set',
321
                            help_text=_("Set of mounted disks."),
Őry Máté committed
322
                            verbose_name=_('disks'))
323
    lease = ForeignKey(Lease, help_text=_("Preferred expiration periods."))
324 325 326
    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
327
    owner = ForeignKey(User)
328 329 330
    destoryed = DateTimeField(blank=True, null=True,
                              help_text=_("The virtual machine's time of "
                                          "destruction."))
331 332 333 334 335 336 337 338

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

    def __unicode__(self):
339 340
        parts = [self.name, "(" + str(self.id) + ")"]
        return " ".join([s for s in parts if s != ""])
341 342

    @classmethod
343
    def create_from_template(cls, template, owner, **kwargs):
344 345 346 347 348 349 350
        """Create a new instance based on an InstanceTemplate.

        Can also specify parameters as keyword arguments which should override
        template settings.
        """
        # prepare parameters
        kwargs['template'] = template
351
        kwargs['owner'] = owner
352 353 354 355 356 357 358 359
        kwargs.setdefault('name', template.name)
        kwargs.setdefault('description', template.description)
        kwargs.setdefault('pw', pwgen())
        kwargs.setdefault('num_cores', template.num_cores)
        kwargs.setdefault('ram_size', template.ram_size)
        kwargs.setdefault('max_ram_size', template.max_ram_size)
        kwargs.setdefault('arch', template.arch)
        kwargs.setdefault('priority', template.priority)
360 361
        kwargs.setdefault('boot_menu', template.boot_menu)
        kwargs.setdefault('raw_data', template.raw_data)
362 363 364 365 366 367
        kwargs.setdefault('lease', template.lease)
        kwargs.setdefault('access_method', template.access_method)
        # create instance and do additional setup
        inst = cls(**kwargs)
        # save instance
        inst.save()
368
        # create related entities
369 370
        for disk in template.disks.all():
            inst.disks.add(disk.get_exclusive())
371

372
        for iftmpl in template.interface_set.all():
373 374 375
            i = Interface.create_from_template(instance=inst,
                                               template=iftmpl,
                                               owner=owner)
376 377
            if i.host:
                i.host.enable_net()
378 379 380
                port, proto = ACCESS_PROTOCOLS[i.instance.access_method][1:3]
                # TODO fix this port fw
                i.host.add_port(proto, private=port)
381 382 383

        return inst

Őry Máté committed
384
    @permalink
385
    def get_absolute_url(self):
386
        return ('dashboard.views.detail', None, {'pk': self.id})
387 388

    @property
389 390 391 392 393 394 395 396 397
    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
398 399 400 401 402 403
    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
404
        return path + '/' + self.vm_name + '.dump'
405 406

    @property
407 408 409 410 411 412 413 414 415 416 417 418 419 420 421
    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):
422 423
        """Primary IPv4 address of the instance.
        """
424 425 426 427
        return self.primary_host.ipv4 if self.primary_host else None

    @property
    def ipv6(self):
428 429
        """Primary IPv6 address of the instance.
        """
430 431 432 433
        return self.primary_host.ipv6 if self.primary_host else None

    @property
    def mac(self):
434 435
        """Primary MAC address of the instance.
        """
436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457
        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.
        """
458
        return self.activity_log.filter(finished__isnull=True).exists()
459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487

    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.
        """
        if not self.firewall_host:
            return _('None')
        proto = 'ipv6' if use_ipv6 else 'ipv4'
        return self.firewall_host.get_hostname(proto=proto)

    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'
488 489 490
            return ('%(proto)s:cloud:%(pw)s:%(host)s:%(port)d' %
                    {'port': port, 'proto': proto, 'pw': self.pw,
                     'host': host})
491 492 493
        except:
            return

tarokkk committed
494 495
    def get_vm_desc(self):
        return {
496
            'name': self.vm_name,
497
            'vcpu': self.num_cores,
498 499
            'memory': self.ram_size * 1024,  # convert from MiB to KiB
            'memory_max': self.max_ram_size * 1024,  # convert from MiB to KiB
500 501 502 503 504
            '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()],
505 506 507 508 509
            '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
510
                'port': self.vnc_port
511
            },
Guba Sándor committed
512
            'raw_data': "" if not self.raw_data else self.raw_data
513
        }
tarokkk committed
514

515 516 517 518 519 520
    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
521 522 523 524 525 526 527 528 529 530 531
    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()

532
    def deploy(self, user=None, task_uuid=None):
Dudás Ádám committed
533 534 535 536 537 538 539 540 541 542 543
        """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
544
        """
545 546
        with instance_activity(code_suffix='deploy', instance=self,
                               task_uuid=task_uuid, user=user) as act:
547

548 549 550 551 552 553 554 555 556 557
            # 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.")

558
            # Schedule
559 560
            self.node = scheduler.get_node(self, Node.objects.all())
            self.save()
tarokkk committed
561

562 563 564 565
            # Deploy virtual images
            with act.sub_activity('deploying_disks'):
                for disk in self.disks.all():
                    disk.deploy()
566

567 568 569
            queue_name = self.get_remote_queue_name('vm')
            # Deploy VM on remote machine
            with act.sub_activity('deploying_vm'):
570
                vm_tasks.deploy.apply_async(args=[self.get_vm_desc()],
571
                                            queue=queue_name).get()
tarokkk committed
572

573 574 575 576
            # Estabilish network connection (vmdriver)
            with act.sub_activity('deploying_net'):
                for net in self.interface_set.all():
                    net.deploy()
tarokkk committed
577

578 579 580 581
            # Resume vm
            with act.sub_activity('booting'):
                vm_tasks.resume.apply_async(args=[self.vm_name],
                                            queue=queue_name).get()
582

583 584 585
    def deploy_async(self, user=None):
        """Execute deploy asynchronously.
        """
586 587
        return local_tasks.deploy.apply_async(args=[self, user],
                                              queue="localhost.man")
588

589
    def destroy(self, user=None, task_uuid=None):
Dudás Ádám committed
590 591 592 593 594 595 596 597 598 599 600
        """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
601
        """
602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620
        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()

621 622 623 624
            # Clear node and VNC port association
            self.node = None
            self.vnc_port = None

625 626
            self.destoryed = timezone.now()
            self.save()
627 628

    def destroy_async(self, user=None):
Dudás Ádám committed
629
        """Execute destroy asynchronously.
630
        """
631 632
        return local_tasks.destroy.apply_async(args=[self, user],
                                               queue="localhost.man")
633 634 635 636

    def sleep(self, user=None, task_uuid=None):
        """Suspend virtual machine with memory dump.
        """
637 638
        with instance_activity(code_suffix='sleep', instance=self,
                               task_uuid=task_uuid, user=user):
639

640 641 642
            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
643

644
    def sleep_async(self, user=None):
Dudás Ádám committed
645
        """Execute sleep asynchronously.
646
        """
647 648
        return local_tasks.sleep.apply_async(args=[self, user],
                                             queue="localhost.man")
Guba Sándor committed
649

650
    def wake_up(self, user=None, task_uuid=None):
651 652
        with instance_activity(code_suffix='wake_up', instance=self,
                               task_uuid=task_uuid, user=user):
653

654 655 656
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.resume.apply_async(args=[self.vm_name, self.dump_mem],
                                        queue=queue_name).get()
657

658
    def wake_up_async(self, user=None):
Dudás Ádám committed
659
        """Execute wake_up asynchronously.
660
        """
661 662
        return local_tasks.wake_up.apply_async(args=[self, user],
                                               queue="localhost.man")
663

664 665 666
    def shutdown(self, user=None, task_uuid=None):
        """Shutdown virtual machine with ACPI signal.
        """
667 668
        with instance_activity(code_suffix='shutdown', instance=self,
                               task_uuid=task_uuid, user=user):
669

670 671 672
            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
673

674 675
    def shutdown_async(self, user=None):
        """Execute shutdown asynchronously.
676
        """
677 678
        return local_tasks.shutdown.apply_async(args=[self, user],
                                                queue="localhost.man")
Guba Sándor committed
679

680 681 682
    def reset(self, user=None, task_uuid=None):
        """Reset virtual machine (reset button)
        """
683 684
        with instance_activity(code_suffix='reset', instance=self,
                               task_uuid=task_uuid, user=user):
685

686 687 688
            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
689

690 691
    def reset_async(self, user=None):
        """Execute reset asynchronously.
692
        """
693 694
        return local_tasks.restart.apply_async(args=[self, user],
                                               queue="localhost.man")
Guba Sándor committed
695

696
    def reboot(self, user=None, task_uuid=None):
Dudás Ádám committed
697
        """Reboot virtual machine with Ctrl+Alt+Del signal.
698
        """
699 700
        with instance_activity(code_suffix='reboot', instance=self,
                               task_uuid=task_uuid, user=user):
701

702 703 704
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.reboot.apply_async(args=[self.vm_name],
                                        queue=queue_name).get()
705

706 707
    def reboot_async(self, user=None):
        """Execute reboot asynchronously.
708
        """
709 710
        return local_tasks.reboot.apply_async(args=[self, user],
                                              queue="localhost.man")
711

712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744
    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
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
class InstanceActivity(ActivityModel):
    instance = ForeignKey(Instance, related_name='activity_log',
                          help_text=_('Instance this activity works on.'),
                          verbose_name=_('instance'))

    @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)
771
        return activitycontextimpl(act)
772 773 774 775 776


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

779

Őry Máté committed
780
class Interface(Model):
781 782 783

    """Network interface for an instance.
    """
Őry Máté committed
784 785 786 787 788
    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')
789

790 791 792
    def __unicode__(self):
        return 'cloud-' + str(self.instance.id) + '-' + str(self.vlan.vid)

793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809
    @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
810
        return EUI(m, dialect=mac_unix)
811 812 813

    def get_vmnetwork_desc(self):
        return {
Dudás Ádám committed
814
            'name': self.__unicode__(),
815
            'bridge': 'cloud',
816
            'mac': str(self.mac),
817 818
            '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,
819 820 821 822
            'vlan': self.vlan.vid,
            'managed': self.host is not None
        }

823 824 825
    def deploy(self, user=None, task_uuid=None):
        net_tasks.create.apply_async(
            args=[self.get_vmnetwork_desc()],
826
            queue=self.instance.get_remote_queue_name('net'))
827

828 829
    def destroy(self, user=None, task_uuid=None):
        net_tasks.destroy.apply_async(
830
            args=[self.get_vmnetwork_desc()],
831
            queue=self.instance.get_remote_queue_name('net'))
Guba Sándor committed
832

833
    @classmethod
834
    def create_from_template(cls, instance, template, owner=None):
835 836 837
        """Create a new interface for an instance based on an
           InterfaceTemplate.
        """
838
        if template.managed:
839 840
            host = Host()
            host.vlan = template.vlan
841
            # TODO change Host's mac field's type to EUI in firewall
842 843
            host.mac = str(cls.generate_mac(instance, template.vlan))
            host.hostname = instance.vm_name
844
            # Get adresses from firewall
845
            addresses = template.vlan.get_new_address()
846 847
            host.ipv4 = addresses['ipv4']
            host.ipv6 = addresses['ipv6']
848
            host.owner = owner
849 850 851
            host.save()
        else:
            host = None
852

853 854 855
        iface = cls(vlan=template.vlan, host=host, instance=instance)
        iface.save()
        return iface
856 857 858 859 860 861 862 863

    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