models.py 26.2 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 13 14
from django.db.models.signals import pre_delete
from django.dispatch import receiver
from django.utils import timezone
from django.utils.translation import ugettext_lazy as _
from model_utils.models import TimeStampedModel
Őry Máté committed
15
from netaddr import EUI
16

17
from .tasks import local_tasks, remote_tasks
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 31


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

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

    class Meta:
        abstract = True


class NamedBaseResourceConfig(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
60

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

    def __unicode__(self):
        return self.name


class Node(TimeStampedModel):
tarokkk committed
72

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

    class Meta:
        permissions = ()

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

100 101 102
    def __unicode__(self):
        return self.name

103

104
class NodeActivity(TimeStampedModel):
Őry Máté committed
105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127
    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'))


class Lease(Model):
tarokkk committed
128

129 130 131 132 133
    """Lease times for VM instances.

    Specifies a time duration until suspension and deletion of a VM
    instance.
    """
Őry Máté committed
134 135 136 137
    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'))
138

139 140 141
    class Meta:
        ordering = ['name', ]

142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157
    @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

158 159 160
    def __unicode__(self):
        return self.name

161 162

class InstanceTemplate(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
163

164 165 166 167 168 169 170 171 172 173 174 175 176 177
    """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
178
    STATES = [('NEW', _('new')),        # template has just been created
179
              ('SAVING', _('saving')),  # changes are being saved
Őry Máté committed
180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202
              ('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.'))
203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222

    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':
223
            return 'win'
224
        else:
225
            return 'linux'
226 227


Őry Máté committed
228
class InterfaceTemplate(Model):
tarokkk committed
229

230 231 232 233
    """Network interface template for an instance template.

    If the interface is managed, a host will be created for it.
    """
Őry Máté committed
234 235 236 237 238 239 240 241
    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',
                          help_text=_())
242 243 244 245 246 247 248 249

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


class Instance(BaseResourceConfigModel, TimeStampedModel):
tarokkk committed
250

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

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

    def __unicode__(self):
        return self.name

    @classmethod
322
    def create_from_template(cls, template, owner, **kwargs):
323 324 325 326 327 328 329
        """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
330
        kwargs['owner'] = owner
331 332 333 334 335 336 337 338
        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)
339 340
        kwargs.setdefault('boot_menu', template.boot_menu)
        kwargs.setdefault('raw_data', template.raw_data)
341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358
        kwargs.setdefault('lease', template.lease)
        kwargs.setdefault('access_method', template.access_method)
        # create instance and do additional setup
        inst = cls(**kwargs)
        for disk in template.disks:
            inst.disks.add(disk.get_exclusive())
        # save instance
        inst.save()
        # create related entities
        for iftmpl in template.interface_set.all():
            i = Interface.create_from_template(instance=inst, template=iftmpl)
            if i.host:
                i.host.enable_net()
                port, proto = ACCESS_PROTOCOLS[i.access_method][1:3]
                i.host.add_port(proto, i.get_port(), port)

        return inst

Őry Máté committed
359
    @permalink
360
    def get_absolute_url(self):
361
        return ('dashboard.views.detail', None, {'pk': self.id})
362 363

    @property
364 365 366 367 368 369 370 371 372
    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
373 374 375 376 377 378 379 380 381 382 383 384 385 386 387
    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):
388 389
        """Primary IPv4 address of the instance.
        """
390 391 392 393
        return self.primary_host.ipv4 if self.primary_host else None

    @property
    def ipv6(self):
394 395
        """Primary IPv6 address of the instance.
        """
396 397 398 399
        return self.primary_host.ipv6 if self.primary_host else None

    @property
    def mac(self):
400 401
        """Primary MAC address of the instance.
        """
402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423
        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.
        """
424
        return self.activity_log.filter(finished__isnull=True).exists()
425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453

    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'
454 455 456
            return ('%(proto)s:cloud:%(pw)s:%(host)s:%(port)d' %
                    {'port': port, 'proto': proto, 'pw': self.pw,
                     'host': host})
457 458 459
        except:
            return

tarokkk committed
460 461
    def get_vm_desc(self):
        return {
462
            'name': self.vm_name,
463 464 465 466 467 468 469 470
            '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()],
471 472 473 474 475
            '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
476
                'port': self.vnc_port
477
            },
Guba Sándor committed
478
            'raw_data': "" if not self.raw_data else self.raw_data
479
        }
tarokkk committed
480

481 482 483
    def deploy_async(self, user=None):
        """ Launch celery task to handle the job asynchronously.
        """
484 485
        local_tasks.deploy.apply_async(args=[self, user],
                                       queue="localhost.man")
tarokkk committed
486

487 488
    def deploy(self, user=None, task_uuid=None):
        """ Deploy new virtual machine with network
tarokkk committed
489
        1. Schedule
490
        """
Guba Sándor committed
491 492 493 494 495
        act = InstanceActivity(activity_code='vm.Instance.deploy')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
496 497
        act.save()

tarokkk committed
498 499
        # Schedule
        act.update_state("PENDING")
500
        self.node = scheduler.get_node(self, Node.objects.all())
501
        self.save()
tarokkk committed
502 503 504

        # Create virtual images
        act.update_state("PREPARING DISKS")
505
        for disk in self.disks.all():
tarokkk committed
506 507 508 509
            disk.deploy()

        # Deploy VM on remote machine
        act.update_state("DEPLOYING VM")
510 511 512
        queue_name = self.node.host.hostname + ".vm"
        remote_tasks.create.apply_async(args=[self.get_vm_desc()],
                                        queue=queue_name).get()
tarokkk committed
513 514 515 516 517 518 519 520

        # Estabilish network connection (vmdriver)
        act.update_state("DEPLOYING NET")
        for net in self.interface_set.all():
            net.deploy()

        # Resume vm
        act.update_state("BOOTING")
521
        remote_tasks.resume.apply_async(args=[self.vm_name],
Guba Sándor committed
522
                                        queue=queue_name).get()
tarokkk committed
523

524
        act.finish(result='SUCCESS')
525

Guba Sándor committed
526
    def stop_async(self, user=None):
527
        local_tasks.stop.apply_async(args=[self, user], queue="localhost.man")
528

Guba Sándor committed
529 530 531 532 533 534 535
    def stop(self, user=None, task_uuid=None):
        act = InstanceActivity(activity_code='vm.Instance.stop')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
536 537 538
        queue_name = self.node.host.hostname + ".vm"
        remote_tasks.stop.apply_async(args=[self.get_vm_desc()],
                                      queue=queue_name).get()
Guba Sándor committed
539 540

    def resume_async(self, user=None):
541 542
        local_tasks.resume.apply_async(args=[self, user],
                                       queue="localhost.man")
Guba Sándor committed
543 544 545 546 547 548 549 550

    def resume(self, user=None, task_uuid=None):
        act = InstanceActivity(activity_code='vm.Instance.resume')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
551
        queue_name = self.node.host.hostname + ".vm"
Guba Sándor committed
552
        remote_tasks.resume.apply_async(args=[self.vm_name],
553
                                        queue=queue_name).get()
554

Guba Sándor committed
555
    def poweroff_async(self, user=None):
556 557
        local_tasks.power_off.apply_async(args=[self, user],
                                          queue="localhost.man")
558

Guba Sándor committed
559 560 561 562 563 564 565
    def poweroff(self, user=None, task_uuid=None):
        act = InstanceActivity(activity_code='vm.Instance.power_off')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
566 567 568
        queue_name = self.node.host.hostname + ".vm"
        remote_tasks.power_off.apply_async(args=[self.get_vm_desc()],
                                           queue=queue_name).get()
Guba Sándor committed
569 570

    def restart_async(self, user=None):
571 572
        local_tasks.restart.apply_async(args=[self, user],
                                        queue="localhost.man")
Guba Sándor committed
573 574 575 576 577 578 579 580

    def restart(self, user=None, task_uuid=None):
        act = InstanceActivity(activity_code='vm.Instance.restart')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
581 582 583
        queue_name = self.node.host.hostname + ".vm"
        remote_tasks.restart.apply_async(args=[self.get_vm_desc()],
                                         queue=queue_name).get()
Guba Sándor committed
584 585

    def save_as_async(self, user=None):
586 587
        local_tasks.save_as.apply_async(args=[self, user],
                                        queue="localhost.man")
Guba Sándor committed
588 589 590 591 592 593 594 595

    def save_as(self, user=None, task_uuid=None):
        act = InstanceActivity(activity_code='vm.Instance.restart')
        act.instance = self
        act.user = user
        act.started = timezone.now()
        act.task_uuid = task_uuid
        act.save()
596 597 598
        queue_name = self.node.host.hostname + ".vm"
        remote_tasks.save_as.apply_async(args=[self.get_vm_desc()],
                                         queue=queue_name).get()
599 600 601 602 603 604 605 606 607 608 609 610 611

    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()


612
@receiver(pre_delete, sender=Instance, dispatch_uid='delete_instance_pre')
613 614 615 616 617
def delete_instance_pre(sender, instance, using, **kwargs):
    # TODO implement
    pass


618
class InstanceActivity(TimeStampedModel):
Őry Máté committed
619 620 621 622 623 624 625 626 627 628 629
    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
630

631 632 633
    def update_state(self, new_state):
        self.state = new_state
        self.save()
tarokkk committed
634

635 636 637 638 639
    def finish(self, result=None):
        if not self.finished:
            self.finished = timezone.now()
            self.result = result
            self.save()
tarokkk committed
640

641

Őry Máté committed
642
class Interface(Model):
643 644 645

    """Network interface for an instance.
    """
Őry Máté committed
646 647 648 649 650
    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')
651

652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669
    @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
        return EUI(m)
670 671 672 673 674

    def get_vmnetwork_desc(self):
        return {
            'name': 'cloud-' + self.instance.id + '-' + self.vlan.vid,
            'bridge': 'cloud',
675
            'mac': self.mac,
676 677 678 679 680 681
            '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
        }

Guba Sándor committed
682 683 684 685
    def deploy(self):
        #TODO
        pass

686 687 688 689 690
    @classmethod
    def create_from_template(cls, instance, template):
        """Create a new interface for an instance based on an
           InterfaceTemplate.
        """
691 692 693
        host = (Host(vlan=template.vlan, mac=cls.generate_mac(instance,
                                                              template.vlan))
                if template.managed else None)
694 695 696
        iface = cls(vlan=template.vlan, host=host, instance=instance)
        iface.save()
        return iface