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

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

15
from .tasks import local_tasks, vm_tasks, net_tasks
16 17
from firewall.models import Vlan, Host
from storage.models import Disk
18

19 20 21

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


Őry Máté committed
30
class BaseResourceConfigModel(Model):
tarokkk committed
31

32 33 34
    """Abstract base class for models with base resource configuration
       parameters.
    """
Őry Máté committed
35 36 37 38 39 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.'))
    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.'))
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 69

    def __unicode__(self):
        return self.name


class Node(TimeStampedModel):
tarokkk committed
70

Őry Máté committed
71
    """A VM host machine, a hypervisor.
72
    """
Őry Máté committed
73 74 75 76 77 78 79 80 81 82 83 84 85 86 87
    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.'))
88 89 90 91 92 93 94 95 96 97

    class Meta:
        permissions = ()

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

98 99 100
    def __unicode__(self):
        return self.name

101

102
class NodeActivity(TimeStampedModel):
Őry Máté committed
103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123
    activity_code = CharField(verbose_name=_('activity code'),
                              max_length=100)  # TODO
    task_uuid = CharField(verbose_name=_('task_uuid'), blank=True,
                          max_length=50, null=True, unique=True, help_text=_(
                              'Celery task unique identifier.'))
    node = ForeignKey(Node, verbose_name=_('node'),
                      related_name='activity_log',
                      help_text=_('Node this activity works on.'))
    user = ForeignKey(User, verbose_name=_('user'), blank=True, null=True,
                      help_text=_('The person who started this activity.'))
    started = DateTimeField(verbose_name=_('started at'),
                            blank=True, null=True,
                            help_text=_('Time of activity initiation.'))
    finished = DateTimeField(verbose_name=_('finished at'),
                             blank=True, null=True,
                             help_text=_('Time of activity finalization.'))
    result = TextField(verbose_name=_('result'), blank=True, null=True,
                       help_text=_('Human readable result of activity.'))
    status = CharField(verbose_name=_('status'), default='PENDING',
                       max_length=50, help_text=_('Actual state of activity'))

124 125 126 127 128 129 130 131 132 133 134
    def update_state(self, new_state):
        self.state = new_state
        self.save()

    def finish(self, result=None):
        if not self.finished:
            self.finished = timezone.now()
            self.result = result
            self.state = 'COMPLETED'
            self.save()

Őry Máté committed
135 136

class Lease(Model):
tarokkk committed
137

138 139 140 141 142
    """Lease times for VM instances.

    Specifies a time duration until suspension and deletion of a VM
    instance.
    """
Őry Máté committed
143 144 145 146
    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'))
147

148 149 150
    class Meta:
        ordering = ['name', ]

151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166
    @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

167 168 169
    def __unicode__(self):
        return self.name

170 171

class InstanceTemplate(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
172

173 174 175 176 177 178 179 180 181 182 183 184 185 186
    """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
187
    STATES = [('NEW', _('new')),        # template has just been created
188
              ('SAVING', _('saving')),  # changes are being saved
Őry Máté committed
189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211
              ('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'))
    access_method = CharField(max_length=10, choices=ACCESS_METHODS,
                              verbose_name=_('access method'),
                              help_text=_('Primary remote access method.'))
    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.'))
212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231

    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':
232
            return 'win'
233
        else:
234
            return 'linux'
235 236


Őry Máté committed
237
class InterfaceTemplate(Model):
tarokkk committed
238

239 240 241 242
    """Network interface template for an instance template.

    If the interface is managed, a host will be created for it.
    """
Őry Máté committed
243 244 245 246 247 248 249
    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',
250 251
                          help_text=_('Template the interface '
                                      'template belongs to.'))
252 253 254 255 256 257 258 259

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


class Instance(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
260

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

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

    def __unicode__(self):
        return self.name

    @classmethod
335
    def create_from_template(cls, template, owner, **kwargs):
336 337 338 339 340 341 342
        """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
343
        kwargs['owner'] = owner
344 345 346 347 348 349 350 351
        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)
352 353
        kwargs.setdefault('boot_menu', template.boot_menu)
        kwargs.setdefault('raw_data', template.raw_data)
354 355 356 357 358 359
        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()
360 361
        for disk in template.disks.all():
            inst.disks.add(disk.get_exclusive())
362 363
        # create related entities
        for iftmpl in template.interface_set.all():
364 365 366
            i = Interface.create_from_template(instance=inst,
                                               template=iftmpl,
                                               owner=owner)
367 368
            if i.host:
                i.host.enable_net()
369 370 371
                port, proto = ACCESS_PROTOCOLS[i.instance.access_method][1:3]
                # TODO fix this port fw
                i.host.add_port(proto, private=port)
372 373 374

        return inst

Őry Máté committed
375
    @permalink
376
    def get_absolute_url(self):
377
        return ('dashboard.views.detail', None, {'pk': self.id})
378 379

    @property
380 381 382 383 384 385 386 387 388
    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
389 390 391 392 393 394 395 396 397 398 399 400 401 402 403
    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):
404 405
        """Primary IPv4 address of the instance.
        """
406 407 408 409
        return self.primary_host.ipv4 if self.primary_host else None

    @property
    def ipv6(self):
410 411
        """Primary IPv6 address of the instance.
        """
412 413 414 415
        return self.primary_host.ipv6 if self.primary_host else None

    @property
    def mac(self):
416 417
        """Primary MAC address of the instance.
        """
418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439
        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.
        """
440
        return self.activity_log.filter(finished__isnull=True).exists()
441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469

    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'
470 471 472
            return ('%(proto)s:cloud:%(pw)s:%(host)s:%(port)d' %
                    {'port': port, 'proto': proto, 'pw': self.pw,
                     'host': host})
473 474 475
        except:
            return

tarokkk committed
476 477
    def get_vm_desc(self):
        return {
478
            'name': self.vm_name,
479 480 481 482 483 484 485 486
            'vcpu': self.num_cores,
            'memory': self.ram_size,
            'memory_max': self.max_ram_size,
            '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()],
487 488 489 490 491
            '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
492
                'port': self.vnc_port
493
            },
Guba Sándor committed
494
            'raw_data': "" if not self.raw_data else self.raw_data
495
        }
tarokkk committed
496

497 498 499 500 501 502
    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
503 504 505 506 507 508 509 510 511 512 513
    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()

514
    def deploy(self, user=None, task_uuid=None):
Dudás Ádám committed
515 516 517 518 519 520 521 522 523 524 525
        """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
526
        """
Guba Sándor committed
527 528 529 530 531
        act = InstanceActivity(activity_code='vm.Instance.deploy')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
532 533
        act.save()

tarokkk committed
534
        # Schedule
535
        self.node = scheduler.get_node(self, Node.objects.all())
536
        self.save()
tarokkk committed
537 538

        # Create virtual images
539
        act.update_state('DEPLOYING DISKS')
540
        for disk in self.disks.all():
tarokkk committed
541 542
            disk.deploy()

543 544
        queue_name = self.get_remote_queue_name('vm')

tarokkk committed
545
        # Deploy VM on remote machine
546
        act.update_state('DEPLOYING VM')
547 548
        vm_tasks.create.apply_async(args=[self.get_vm_desc()],
                                    queue=queue_name).get()
tarokkk committed
549 550

        # Estabilish network connection (vmdriver)
551
        act.update_state('DEPLOYING NET')
tarokkk committed
552 553 554 555
        for net in self.interface_set.all():
            net.deploy()

        # Resume vm
556
        act.update_state('BOOTING')
557 558
        vm_tasks.resume.apply_async(args=[self.vm_name],
                                    queue=queue_name).get()
tarokkk committed
559

560
        act.finish(result='SUCCESS')
561

562 563 564 565 566 567
    def deploy_async(self, user=None):
        """Execute deploy asynchronously.
        """
        local_tasks.deploy.apply_async(args=[self, user],
                                       queue="localhost.man")

568
    def destroy(self, user=None, task_uuid=None):
Dudás Ádám committed
569 570 571 572 573 574 575 576 577 578 579
        """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
580 581 582 583 584 585 586
        """
        act = InstanceActivity(activity_code='vm.Instance.destroy')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
587 588 589 590 591 592

        # Destroy networks
        act.update_state('DESTROYING NET')
        for net in self.interface_set.all():
            net.destroy()

593 594
        # Destroy virtual machine
        act.update_state('DESTROYING VM')
595
        queue_name = self.get_remote_queue_name('vm')
596 597
        vm_tasks.destroy.apply_async(args=[self.vm_name],
                                     queue=queue_name).get()
598

599 600 601 602 603
        # Destroy disks
        act.update_state('DESTROYING DISKS')
        for disk in self.disks.all():
            disk.destroy()

604 605
        self.destoryed = timezone.now()
        self.save()
606
        act.finish(result="SUCCESS")
607 608

    def destroy_async(self, user=None):
Dudás Ádám committed
609
        """Execute destroy asynchronously.
610 611 612 613 614 615 616 617
        """
        local_tasks.destroy.apply_async(args=[self, user],
                                        queue="localhost.man")

    def sleep(self, user=None, task_uuid=None):
        """Suspend virtual machine with memory dump.
        """
        act = InstanceActivity(activity_code='vm.Instance.sleep')
Guba Sándor committed
618 619 620 621 622
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
623 624

        queue_name = self.get_remote_queue_name('vm')
625 626
        vm_tasks.sleep.apply_async(args=[self.vm_name],
                                   queue=queue_name).get()
627

628
        act.finish(result='SUCCESS')
Guba Sándor committed
629

630
    def sleep_async(self, user=None):
Dudás Ádám committed
631
        """Execute sleep asynchronously.
632
        """
633
        local_tasks.sleep.apply_async(args=[self, user], queue="localhost.man")
Guba Sándor committed
634

635
    def wake_up(self, user=None, task_uuid=None):
636
        act = InstanceActivity(activity_code='vm.Instance.wake_up')
Guba Sándor committed
637 638 639 640 641
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
642 643

        queue_name = self.get_remote_queue_name('vm')
644 645
        vm_tasks.resume.apply_async(args=[self.vm_name],
                                    queue=queue_name).get()
646

647
        act.finish(result='SUCCESS')
648

649
    def wake_up_async(self, user=None):
Dudás Ádám committed
650
        """Execute wake_up asynchronously.
651
        """
652 653
        local_tasks.wake_up.apply_async(args=[self, user],
                                        queue="localhost.man")
654

655 656 657
    def shutdown(self, user=None, task_uuid=None):
        """Shutdown virtual machine with ACPI signal.
        """
658
        act = InstanceActivity(activity_code='vm.Instance.shutdown')
Guba Sándor committed
659 660 661 662 663
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
664 665

        queue_name = self.get_remote_queue_name('vm')
666 667
        vm_tasks.shutdown.apply_async(args=[self.vm_name],
                                      queue=queue_name).get()
668

669
        act.finish(result='SUCCESS')
Guba Sándor committed
670

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

677 678 679
    def reset(self, user=None, task_uuid=None):
        """Reset virtual machine (reset button)
        """
680
        act = InstanceActivity(activity_code='vm.Instance.reset')
Guba Sándor committed
681 682 683 684 685
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
686 687

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

691
        act.finish(result='SUCCESS')
Guba Sándor committed
692

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

699
    def reboot(self, user=None, task_uuid=None):
Dudás Ádám committed
700
        """Reboot virtual machine with Ctrl+Alt+Del signal.
701
        """
702
        act = InstanceActivity(activity_code='vm.Instance.reboot')
703 704 705 706 707
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
708 709

        queue_name = self.get_remote_queue_name('vm')
710
        vm_tasks.reboot.apply_async(args=[self.vm_name],
711
                                    queue=queue_name).get()
712

713
        act.finish(result='SUCCESS')
714

715 716
    def reboot_async(self, user=None):
        """Execute reboot asynchronously.
717
        """
718
        local_tasks.reboot.apply_async(args=[self, user],
719 720
                                       queue="localhost.man")

721 722


723
class InstanceActivity(TimeStampedModel):
Őry Máté committed
724 725 726 727 728 729 730 731 732 733 734
    activity_code = CharField(verbose_name=_('activity_code'), max_length=100)
    task_uuid = CharField(verbose_name=_('task_uuid'), blank=True,
                          max_length=50, null=True, unique=True)
    instance = ForeignKey(Instance, verbose_name=_('instance'),
                          related_name='activity_log')
    user = ForeignKey(User, verbose_name=_('user'), blank=True, null=True)
    started = DateTimeField(verbose_name=_('started'), blank=True, null=True)
    finished = DateTimeField(verbose_name=_('finished'), blank=True, null=True)
    result = TextField(verbose_name=_('result'), blank=True, null=True)
    state = CharField(verbose_name=_('state'),
                      default='PENDING', max_length=50)
tarokkk committed
735

736 737 738
    def update_state(self, new_state):
        self.state = new_state
        self.save()
tarokkk committed
739

740 741 742 743
    def finish(self, result=None):
        if not self.finished:
            self.finished = timezone.now()
            self.result = result
744
            self.state = 'COMPLETED'
745
            self.save()
tarokkk committed
746

747

Őry Máté committed
748
class Interface(Model):
749 750 751

    """Network interface for an instance.
    """
Őry Máté committed
752 753 754 755 756
    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')
757

758 759 760
    def __unicode__(self):
        return 'cloud-' + str(self.instance.id) + '-' + str(self.vlan.vid)

761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777
    @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
778
        return EUI(m, dialect=mac_unix)
779 780 781

    def get_vmnetwork_desc(self):
        return {
Dudás Ádám committed
782
            'name': self.__unicode__(),
783
            'bridge': 'cloud',
784
            'mac': str(self.mac),
785 786 787 788 789 790
            'ipv4': self.host.ipv4 if self.host is not None else None,
            'ipv6': self.host.ipv6 if self.host is not None else None,
            'vlan': self.vlan.vid,
            'managed': self.host is not None
        }

791 792 793
    def deploy(self, user=None, task_uuid=None):
        net_tasks.create.apply_async(
            args=[self.get_vmnetwork_desc()],
794
            queue=self.instance.get_remote_queue_name('net'))
795

796 797
    def destroy(self, user=None, task_uuid=None):
        net_tasks.destroy.apply_async(
798
            args=[self.get_vmnetwork_desc()],
799
            queue=self.instance.get_remote_queue_name('net'))
Guba Sándor committed
800

801
    @classmethod
802
    def create_from_template(cls, instance, template, owner=None):
803 804 805
        """Create a new interface for an instance based on an
           InterfaceTemplate.
        """
806
        if template.managed:
807 808
            host = Host()
            host.vlan = template.vlan
809
            # TODO change Host's mac field's type to EUI in firewall
810 811
            host.mac = str(cls.generate_mac(instance, template.vlan))
            host.hostname = instance.vm_name
812
            # Get adresses from firewall
813
            addresses = template.vlan.get_new_address()
814 815
            host.ipv4 = addresses['ipv4']
            host.ipv6 = addresses['ipv6']
816
            host.owner = owner
817 818 819
            host.save()
        else:
            host = None
820

821 822 823
        iface = cls(vlan=template.vlan, host=host, instance=instance)
        iface.save()
        return iface