instance.py 34.1 KB
Newer Older
1
from __future__ import absolute_import, unicode_literals
2
from datetime import timedelta
3
from logging import getLogger
Őry Máté committed
4
from importlib import import_module
5
from Queue import Empty, Full, Queue
6
import string
7

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

19
from celery.exceptions import TimeoutError
20
from model_utils.models import TimeStampedModel
21
from taggit.managers import TaggableManager
22

Dudás Ádám committed
23
from acl.models import AclBase
24
from storage.models import Disk
25
from ..tasks import local_tasks, vm_tasks, agent_tasks
Őry Máté committed
26
from .activity import instance_activity
27
from .common import BaseResourceConfigModel, Lease
28 29
from .network import Interface
from .node import Node, Trait
30

31
logger = getLogger(__name__)
Őry Máté committed
32 33
pre_state_changed = Signal(providing_args=["new_state"])
post_state_changed = Signal(providing_args=["new_state"])
34
pwgen = User.objects.make_random_password
35
scheduler = import_module(name=django.conf.settings.VM_SCHEDULER)
Őry Máté committed
36

37
ACCESS_PROTOCOLS = django.conf.settings.VM_ACCESS_PROTOCOLS
Őry Máté committed
38 39
ACCESS_METHODS = [(key, name) for key, (name, port, transport)
                  in ACCESS_PROTOCOLS.iteritems()]
40
VNC_PORT_RANGE = (2000, 65536)  # inclusive start, exclusive end
41 42


43
def find_unused_vnc_port():
44
    used = set(Instance.objects.values_list('vnc_port', flat=True))
45 46 47 48 49 50 51
    for p in xrange(*VNC_PORT_RANGE):
        if p not in used:
            return p
    else:
        raise Exception("No unused port could be found for VNC.")


52
class InstanceActiveManager(Manager):
Dudás Ádám committed
53

54 55 56 57 58
    def get_query_set(self):
        return super(InstanceActiveManager,
                     self).get_query_set().filter(destroyed=None)


59
class VirtualMachineDescModel(BaseResourceConfigModel):
60

61 62 63 64 65 66 67 68
    """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.'))
69
    lease = ForeignKey(Lease, help_text=_("Preferred expiration periods."))
70 71
    raw_data = TextField(verbose_name=_('raw_data'), blank=True, help_text=_(
        'Additional libvirt domain parameters in XML format.'))
Dudás Ádám committed
72 73 74 75 76
    req_traits = ManyToManyField(Trait, blank=True,
                                 help_text=_("A set of traits required for a "
                                             "node to declare to be suitable "
                                             "for hosting the VM."),
                                 verbose_name=_("required traits"))
Dudás Ádám committed
77
    tags = TaggableManager(blank=True, verbose_name=_("tags"))
78 79 80 81 82

    class Meta:
        abstract = True


83
class InstanceTemplate(AclBase, VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
84

85 86 87 88 89 90 91 92 93 94 95 96 97 98
    """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
    """
99 100 101 102 103
    ACL_LEVELS = (
        ('user', _('user')),          # see all details
        ('operator', _('operator')),
        ('owner', _('owner')),        # superuser, can delete, delegate perms
    )
Őry Máté committed
104
    STATES = [('NEW', _('new')),        # template has just been created
105
              ('SAVING', _('saving')),  # changes are being saved
Őry Máté committed
106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122
              ('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.'))
123 124

    class Meta:
Őry Máté committed
125 126
        app_label = 'vm'
        db_table = 'vm_instancetemplate'
127
        ordering = ['name', ]
Őry Máté committed
128 129 130
        permissions = (
            ('create_template', _('Can create an instance template.')),
        )
131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146
        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':
147
            return 'windows'
148
        else:
149
            return 'linux'
150 151


152
class Instance(AclBase, VirtualMachineDescModel, TimeStampedModel):
tarokkk committed
153

154 155 156 157 158 159 160 161 162 163 164
    """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
165
      * current state (libvirt domain state)
166 167
      * time of creation and last modification
      * base resource configuration values
168
      * owner and privilege information
169
    """
170 171 172 173 174
    ACL_LEVELS = (
        ('user', _('user')),          # see all details
        ('operator', _('operator')),  # console, networking, change state
        ('owner', _('owner')),        # superuser, can delete, delegate perms
    )
Őry Máté committed
175
    name = CharField(blank=True, max_length=100, verbose_name=_('name'),
176
                     help_text=_("Human readable name of instance."))
Őry Máté committed
177 178 179
    description = TextField(blank=True, verbose_name=_('description'))
    template = ForeignKey(InstanceTemplate, blank=True, null=True,
                          related_name='instance_set',
180
                          help_text=_("Template the instance derives from."),
Őry Máté committed
181
                          verbose_name=_('template'))
182
    pw = CharField(help_text=_("Original password of the instance."),
Őry Máté committed
183 184 185
                   max_length=20, verbose_name=_('password'))
    time_of_suspend = DateTimeField(blank=True, default=None, null=True,
                                    verbose_name=_('time of suspend'),
186 187
                                    help_text=_("Proposed time of automatic "
                                                "suspension."))
Őry Máté committed
188 189
    time_of_delete = DateTimeField(blank=True, default=None, null=True,
                                   verbose_name=_('time of delete'),
190 191
                                   help_text=_("Proposed time of automatic "
                                               "deletion."))
Őry Máté committed
192
    active_since = DateTimeField(blank=True, null=True,
193 194
                                 help_text=_("Time stamp of successful "
                                             "boot report."),
Őry Máté committed
195 196 197
                                 verbose_name=_('active since'))
    node = ForeignKey(Node, blank=True, null=True,
                      related_name='instance_set',
198
                      help_text=_("Current hypervisor of this instance."),
Őry Máté committed
199 200
                      verbose_name=_('host node'))
    disks = ManyToManyField(Disk, related_name='instance_set',
201
                            help_text=_("Set of mounted disks."),
Őry Máté committed
202
                            verbose_name=_('disks'))
203 204 205
    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
206
    owner = ForeignKey(User)
Dudás Ádám committed
207
    destroyed = DateTimeField(blank=True, null=True,
208 209
                              help_text=_("The virtual machine's time of "
                                          "destruction."))
210 211
    objects = Manager()
    active = InstanceActiveManager()
212
    libvirt_state_queue = Queue(maxsize=10)
213 214

    class Meta:
Őry Máté committed
215 216
        app_label = 'vm'
        db_table = 'vm_instance'
217
        ordering = ['pk', ]
218 219 220 221 222 223
        permissions = (
            ('access_console', _('Can access the graphical console of a VM.')),
            ('change_resources', _('Can change resources of a running VM.')),
            ('set_resources', _('Can change resources of a new VM.')),
            ('config_ports', _('Can configure port forwards.')),
        )
224 225 226
        verbose_name = _('instance')
        verbose_name_plural = _('instances')

227 228 229 230 231 232 233 234 235 236 237
    class InstanceDestroyedError(Exception):

        def __init__(self, instance, message=None):
            if message is None:
                message = ("The instance (%s) has already been destroyed."
                           % instance)

            Exception.__init__(self, message)

            self.instance = instance

238 239 240 241 242 243 244 245 246 247 248 249
    class WrongStateError(Exception):

        def __init__(self, instance, message=None):
            if message is None:
                message = ("The instance's current state (%s) is "
                           "inappropriate for the invoked operation."
                           % instance.state)

            Exception.__init__(self, message)

            self.instance = instance

250
    def __unicode__(self):
251 252
        parts = [self.name, "(" + str(self.id) + ")"]
        return " ".join([s for s in parts if s != ""])
253

254 255 256 257 258 259 260
    def __clear_libvirt_state_queue(self):
        while True:
            try:
                self.libvirt_state_queue.get_nowait()
            except Empty:
                break

261 262 263 264 265 266 267 268 269 270 271 272 273
    @property
    def state(self):
        """State of the virtual machine instance.
        """
        if self.activity_log.filter(activity_code__endswith='migrate',
                                    finished__isnull=True).exists():
            return 'MIGRATING'

        act = next(self.activity_log.filter(finished__isnull=False,
                                            resultant_state__isnull=False)
                   .order_by('-finished')[:1], None)
        return 'NOSTATE' if act is None else act.resultant_state

274 275 276 277 278 279
    def state_chaged(self, state):
        try:
            self.libvirt_state_queue.put_nowait(state)
        except Full:
            pass

280 281 282 283 284
    def clean(self, *args, **kwargs):
        if self.time_of_delete is None:
            self.renew(which='delete')
        super(Instance, self).clean(*args, **kwargs)

285
    @classmethod
286
    def create_from_template(cls, template, owner, disks=None, networks=None,
Dudás Ádám committed
287
                             req_traits=None, tags=None, **kwargs):
288 289 290 291 292
        """Create a new instance based on an InstanceTemplate.

        Can also specify parameters as keyword arguments which should override
        template settings.
        """
293 294 295 296 297 298 299 300 301 302 303 304 305 306
        insts = cls.mass_create_from_template(template, owner, disks=disks,
                                              networks=networks, tags=tags,
                                              req_traits=req_traits, **kwargs)
        return insts[0]

    @classmethod
    def mass_create_from_template(cls, template, owner, amount=1, disks=None,
                                  networks=None, req_traits=None, tags=None,
                                  **kwargs):
        """Mass-create new instances based on an InstanceTemplate.

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

309 310 311 312 313 314 315
        for disk in disks:
            if not disk.has_level(owner, 'user'):
                raise PermissionDenied()
            elif (disk.type == 'qcow2-snap'
                  and not disk.has_level(owner, 'owner')):
                raise PermissionDenied()

316 317 318
        networks = (template.interface_set.all() if networks is None
                    else networks)

319 320 321 322
        for network in networks:
            if not network.vlan.has_level(owner, 'user'):
                raise PermissionDenied()

Dudás Ádám committed
323 324 325
        req_traits = (template.req_traits.all() if req_traits is None
                      else req_traits)

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

328
        # prepare parameters
Dudás Ádám committed
329 330 331 332 333 334 335
        common_fields = ['name', 'description', 'num_cores', 'ram_size',
                         'max_ram_size', 'arch', 'priority', 'boot_menu',
                         'raw_data', 'lease', 'access_method']
        params = dict(template=template, owner=owner, pw=pwgen())
        params.update([(f, getattr(template, f)) for f in common_fields])
        params.update(kwargs)  # override defaults w/ user supplied values

336 337 338 339 340
        return [cls.__create_instance(params, disks, networks, req_traits,
                                      tags) for i in xrange(amount)]

    @classmethod
    def __create_instance(cls, params, disks, networks, req_traits, tags):
341
        # create instance and do additional setup
Dudás Ádám committed
342 343
        inst = cls(**params)

344
        # save instance
345
        inst.clean()
346
        inst.save()
347
        inst.set_level(inst.owner, 'owner')
Dudás Ádám committed
348

349 350
        def __on_commit(activity):
            activity.resultant_state = 'PENDING'
351

352 353 354 355
        with instance_activity(code_suffix='create', instance=inst,
                               on_commit=__on_commit, user=inst.owner):
            # create related entities
            inst.disks.add(*[disk.get_exclusive() for disk in disks])
356

357 358 359
            for net in networks:
                Interface.create(instance=inst, vlan=net.vlan,
                                 owner=inst.owner, managed=net.managed)
Dudás Ádám committed
360

361 362 363 364
            inst.req_traits.add(*req_traits)
            inst.tags.add(*tags)

            return inst
365

Őry Máté committed
366
    @permalink
367
    def get_absolute_url(self):
368
        return ('dashboard.views.detail', None, {'pk': self.id})
369 370

    @property
371 372 373 374 375 376 377 378 379
    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
380
    def mem_dump(self):
381
        """Return the path and datastore for the memory dump.
382 383 384

        It is always on the first hard drive storage named cloud-<id>.dump
        """
385 386 387
        datastore = self.disks.all()[0].datastore
        path = datastore.path + '/' + self.vm_name + '.dump'
        return {'datastore': datastore, 'path': path}
388 389

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

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

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

    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.
        """
457
        if not self.interface_set.exclude(host=None):
458 459
            return _('None')
        proto = 'ipv6' if use_ipv6 else 'ipv4'
460 461
        return self.interface_set.exclude(host=None)[0].host.get_hostname(
            proto=proto)
462

463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479
    def get_connect_command(self, use_ipv6=False):
        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 == 'rdp':
                return 'rdesktop %(host)s:%(port)d -u cloud -p %(pw)s' % {
                    'port': port, 'proto': proto, 'pw': self.pw,
                    'host': host}
            elif proto == 'ssh':
                return ('sshpass -p %(pw)s ssh -o StrictHostKeyChecking=n '
                        'cloud@%(host)s -p %(port)d') % {
                    'port': port, 'proto': proto, 'pw': self.pw,
                    'host': host}
        except:
            return

480 481 482 483 484 485 486 487 488
    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'
489 490 491
            return ('%(proto)s:cloud:%(pw)s:%(host)s:%(port)d' %
                    {'port': port, 'proto': proto, 'pw': self.pw,
                     'host': host})
492 493 494
        except:
            return

tarokkk committed
495 496
    def get_vm_desc(self):
        return {
497
            'name': self.vm_name,
498
            'vcpu': self.num_cores,
499
            'memory': int(self.ram_size) * 1024,  # convert from MiB to KiB
Őry Máté committed
500
            'memory_max': int(self.max_ram_size) * 1024,  # convert MiB to KiB
501 502 503 504 505
            '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()],
506 507 508 509 510
            '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
511
                'port': self.vnc_port
512
            },
513
            'boot_token': signing.dumps(self.id, salt='activate'),
Guba Sándor committed
514
            'raw_data': "" if not self.raw_data else self.raw_data
515
        }
tarokkk committed
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.
        """
521
        return self.node.get_remote_queue_name(queue_id) if self.node else None
522

Dudás Ádám committed
523 524 525 526 527 528 529 530 531 532 533
    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()

534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550
    def change_password(self, user=None):
        """Generate new password for the vm

        :param self: The virtual machine.

        :param user: The user who's issuing the command.
        """

        self.pw = pwgen()
        with instance_activity(code_suffix='change_password', instance=self,
                               user=user):
            queue = "%s.agent" % self.node.host.hostname
            agent_tasks.change_password.apply_async(queue=queue,
                                                    args=(self.vm_name,
                                                          self.pw))
        self.save()

551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593
    def __schedule_vm(self, act):
        """Schedule the virtual machine.

        :param self: The virtual machine.

        :param act: Parent activity.
        """
        # Find unused port for VNC
        if self.vnc_port is None:
            self.vnc_port = find_unused_vnc_port()

        # Schedule
        if self.node is None:
            self.node = scheduler.select_node(self, Node.objects.all())

        self.save()

    def __deploy_vm(self, act):
        """Deploy the virtual machine.

        :param self: The virtual machine.

        :param act: Parent activity.
        """
        queue_name = self.get_remote_queue_name('vm')

        # Deploy VM on remote machine
        with act.sub_activity('deploying_vm'):
            vm_tasks.deploy.apply_async(args=[self.get_vm_desc()],
                                        queue=queue_name).get()

        # Estabilish network connection (vmdriver)
        with act.sub_activity('deploying_net'):
            for net in self.interface_set.all():
                net.deploy()

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

        self.renew('suspend')

594
    def deploy(self, user=None, task_uuid=None):
Dudás Ádám committed
595 596 597 598 599 600 601 602 603 604 605
        """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
606
        """
607 608 609
        if self.destroyed:
            raise self.InstanceDestroyedError(self)

610 611
        def __on_commit(activity):
            activity.resultant_state = 'RUNNING'
612

613 614 615
        with instance_activity(code_suffix='deploy', instance=self,
                               on_commit=__on_commit, task_uuid=task_uuid,
                               user=user) as act:
616

617
            self.__schedule_vm(act)
tarokkk committed
618

619 620
            # Deploy virtual images
            with act.sub_activity('deploying_disks'):
621
                devnums = list(string.ascii_lowercase)  # a-z
622
                for disk in self.disks.all():
623 624 625 626 627 628 629
                    # assign device numbers
                    if disk.dev_num in devnums:
                        devnums.remove(disk.dev_num)
                    else:
                        disk.dev_num = devnums.pop(0)
                        disk.save()
                    # deploy disk
630
                    disk.deploy()
631

632
            self.__deploy_vm(act)
633

634 635 636
    def deploy_async(self, user=None):
        """Execute deploy asynchronously.
        """
637 638
        logger.debug('Calling async local_tasks.deploy(%s, %s)',
                     unicode(self), unicode(user))
639 640
        return local_tasks.deploy.apply_async(args=[self, user],
                                              queue="localhost.man")
641

642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711
    def __destroy_vm(self, act):
        """Destroy the virtual machine and its associated networks.

        :param self: The virtual machine.

        :param act: Parent activity.
        """
        # 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()

    def __cleanup_after_destroy_vm(self, act):
        """Clean up the virtual machine's data after destroy.

        :param self: The virtual machine.

        :param act: Parent activity.
        """
        # Delete mem. dump if exists
        queue_name = self.mem_dump['datastore'].get_remote_queue_name(
            'storage')
        try:
            from storage.tasks.remote_tasks import delete
            delete.apply_async(args=[self.mem_dump['path']],
                               queue=queue_name).get()
        except:
            pass

        # Clear node and VNC port association
        self.node = None
        self.vnc_port = None

    def redeploy(self, user=None, task_uuid=None):
        """Redeploy virtual machine with network

        :param self: The virtual machine to redeploy.

        :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
        """
        with instance_activity(code_suffix='redeploy', instance=self,
                               task_uuid=task_uuid, user=user) as act:
            # Destroy VM
            if self.node:
                self.__destroy_vm(act)

            self.__cleanup_after_destroy_vm(act)

            # Deploy VM
            self.__schedule_vm(act)

            self.__deploy_vm(act)

    def redeploy_async(self, user=None):
        """Execute redeploy asynchronously.
        """
        return local_tasks.redeploy.apply_async(args=[self, user],
                                                queue="localhost.man")

712
    def destroy(self, user=None, task_uuid=None):
Dudás Ádám committed
713 714 715 716 717 718 719 720 721 722 723
        """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
724
        """
725 726 727
        if self.destroyed:
            return  # already destroyed, nothing to do here

728 729 730
        def __on_commit(activity):
            activity.resultant_state = 'DESTROYED'

731
        with instance_activity(code_suffix='destroy', instance=self,
732 733
                               on_commit=__on_commit, task_uuid=task_uuid,
                               user=user) as act:
734

735
            if self.node:
736
                self.__destroy_vm(act)
737 738 739 740 741 742

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

743
            self.__cleanup_after_destroy_vm(act)
744

Dudás Ádám committed
745
            self.destroyed = timezone.now()
746
            self.save()
747 748

    def destroy_async(self, user=None):
Dudás Ádám committed
749
        """Execute destroy asynchronously.
750
        """
751 752
        return local_tasks.destroy.apply_async(args=[self, user],
                                               queue="localhost.man")
753 754 755 756

    def sleep(self, user=None, task_uuid=None):
        """Suspend virtual machine with memory dump.
        """
757 758 759
        if self.state not in ['RUNNING']:
            raise self.WrongStateError(self)

760 761 762 763 764 765 766 767 768
        def __on_abort(activity, error):
            if isinstance(error, TimeoutError):
                activity.resultant_state = None
            else:
                activity.resultant_state = 'ERROR'

        def __on_commit(activity):
            activity.resultant_state = 'SUSPENDED'

769
        with instance_activity(code_suffix='sleep', instance=self,
770
                               on_abort=__on_abort, on_commit=__on_commit,
771
                               task_uuid=task_uuid, user=user):
772

773
            queue_name = self.get_remote_queue_name('vm')
774 775
            vm_tasks.sleep.apply_async(args=[self.vm_name,
                                             self.mem_dump['path']],
776
                                       queue=queue_name).get()
Guba Sándor committed
777

778
    def sleep_async(self, user=None):
Dudás Ádám committed
779
        """Execute sleep asynchronously.
780
        """
781 782
        return local_tasks.sleep.apply_async(args=[self, user],
                                             queue="localhost.man")
Guba Sándor committed
783

784
    def wake_up(self, user=None, task_uuid=None):
785 786 787
        if self.state not in ['SUSPENDED']:
            raise self.WrongStateError(self)

788 789 790 791 792 793
        def __on_abort(activity, error):
            activity.resultant_state = 'ERROR'

        def __on_commit(activity):
            activity.resultant_state = 'RUNNING'

794
        with instance_activity(code_suffix='wake_up', instance=self,
795
                               on_abort=__on_abort, on_commit=__on_commit,
796
                               task_uuid=task_uuid, user=user):
797

798 799 800
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.resume.apply_async(args=[self.vm_name, self.dump_mem],
                                        queue=queue_name).get()
801

802
    def wake_up_async(self, user=None):
Dudás Ádám committed
803
        """Execute wake_up asynchronously.
804
        """
805 806
        return local_tasks.wake_up.apply_async(args=[self, user],
                                               queue="localhost.man")
807

808 809 810
    def shutdown(self, user=None, task_uuid=None):
        """Shutdown virtual machine with ACPI signal.
        """
811 812 813 814 815 816 817 818 819
        def __on_abort(activity, error):
            if isinstance(error, TimeoutError):
                activity.resultant_state = None
            else:
                activity.resultant_state = 'ERROR'

        def __on_commit(activity):
            activity.resultant_state = 'STOPPED'

820
        with instance_activity(code_suffix='shutdown', instance=self,
821
                               on_abort=__on_abort, on_commit=__on_commit,
822
                               task_uuid=task_uuid, user=user):
823

824 825 826
            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
827

828 829
    def shutdown_async(self, user=None):
        """Execute shutdown asynchronously.
830
        """
831 832
        return local_tasks.shutdown.apply_async(args=[self, user],
                                                queue="localhost.man")
Guba Sándor committed
833

834 835 836
    def reset(self, user=None, task_uuid=None):
        """Reset virtual machine (reset button)
        """
837 838
        with instance_activity(code_suffix='reset', instance=self,
                               task_uuid=task_uuid, user=user):
839

840 841 842
            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
843

844 845
    def reset_async(self, user=None):
        """Execute reset asynchronously.
846
        """
847 848
        return local_tasks.restart.apply_async(args=[self, user],
                                               queue="localhost.man")
Guba Sándor committed
849

850
    def reboot(self, user=None, task_uuid=None):
Dudás Ádám committed
851
        """Reboot virtual machine with Ctrl+Alt+Del signal.
852
        """
853 854
        with instance_activity(code_suffix='reboot', instance=self,
                               task_uuid=task_uuid, user=user):
855

856 857 858
            queue_name = self.get_remote_queue_name('vm')
            vm_tasks.reboot.apply_async(args=[self.vm_name],
                                        queue=queue_name).get()
859

860
    def reboot_async(self, user=None):
861
        """Execute reboot asynchronously. """
862 863
        return local_tasks.reboot.apply_async(args=[self, user],
                                              queue="localhost.man")
864

865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891
    def migrate_async(self, to_node, user=None):
        """Execute migrate asynchronously. """
        return local_tasks.migrate.apply_async(args=[self, to_node, user],
                                               queue="localhost.man")

    def migrate(self, to_node, user=None, task_uuid=None):
        """Live migrate running vm to another node. """
        with instance_activity(code_suffix='migrate', 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()

            with act.sub_activity('migrate_vm'):
                queue_name = self.get_remote_queue_name('vm')
                vm_tasks.migrate.apply_async(args=[self.vm_name,
                                             to_node.host.hostname],
                                             queue=queue_name).get()
            # Refresh node information
            self.node = to_node
            self.save()
            # Estabilish network connection (vmdriver)
            with act.sub_activity('deploying_net'):
                for net in self.interface_set.all():
                    net.deploy()

892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924
    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