models.py 18.4 KB
Newer Older
1 2
# coding=utf-8

3
from contextlib import contextmanager
4
import logging
5
from os.path import join
6 7
import uuid

8
from django.db.models import (Model, CharField, DateTimeField,
9
                              ForeignKey)
10
from django.utils import timezone
11
from django.utils.translation import ugettext_lazy as _
12
from model_utils.models import TimeStampedModel
13
from sizefield.models import FileSizeField
14
from datetime import timedelta
15

16
from acl.models import AclBase
17
from .tasks import local_tasks, remote_tasks
18
from celery.exceptions import TimeoutError
19
from manager.mancelery import celery
20
from common.models import (ActivityModel, activitycontextimpl,
21
                           WorkerNotFound)
22 23 24 25

logger = logging.getLogger(__name__)


26
class DataStore(Model):
Guba Sándor committed
27

28 29
    """Collection of virtual disks.
    """
30 31 32 33
    name = CharField(max_length=100, unique=True, verbose_name=_('name'))
    path = CharField(max_length=200, unique=True, verbose_name=_('path'))
    hostname = CharField(max_length=40, unique=True,
                         verbose_name=_('hostname'))
Guba Sándor committed
34

35 36 37 38 39 40 41 42
    class Meta:
        ordering = ['name']
        verbose_name = _('datastore')
        verbose_name_plural = _('datastores')

    def __unicode__(self):
        return u'%s (%s)' % (self.name, self.path)

43
    def get_remote_queue_name(self, queue_id, check_worker=True):
44 45
        logger.debug("Checking for storage queue %s.%s",
                     self.hostname, queue_id)
46 47
        if not check_worker or local_tasks.check_queue(self.hostname,
                                                       queue_id):
48 49 50
            return self.hostname + '.' + queue_id
        else:
            raise WorkerNotFound()
51

52 53 54
    def get_deletable_disks(self):
        return [disk.filename for disk in
                self.disk_set.filter(
55
                    destroyed__isnull=False) if disk.is_deletable]
56

57

58
class Disk(AclBase, TimeStampedModel):
Guba Sándor committed
59

60 61
    """A virtual disk.
    """
62 63 64 65 66
    ACL_LEVELS = (
        ('user', _('user')),          # see all details
        ('operator', _('operator')),
        ('owner', _('owner')),        # superuser, can delete, delegate perms
    )
67 68
    TYPES = [('qcow2-norm', 'qcow2 normal'), ('qcow2-snap', 'qcow2 snapshot'),
             ('iso', 'iso'), ('raw-ro', 'raw read-only'), ('raw-rw', 'raw')]
69
    name = CharField(blank=True, max_length=100, verbose_name=_("name"))
70 71
    filename = CharField(max_length=256, unique=True,
                         verbose_name=_("filename"))
72 73 74
    datastore = ForeignKey(DataStore, verbose_name=_("datastore"),
                           help_text=_("The datastore that holds the disk."))
    type = CharField(max_length=10, choices=TYPES)
75
    size = FileSizeField(null=True, default=None)
76 77 78
    base = ForeignKey('self', blank=True, null=True,
                      related_name='derivatives')
    dev_num = CharField(default='a', max_length=1,
79
                        verbose_name=_("device number"))
80
    destroyed = DateTimeField(blank=True, default=None, null=True)
81 82 83 84 85 86

    class Meta:
        ordering = ['name']
        verbose_name = _('disk')
        verbose_name_plural = _('disks')

87 88
    class WrongDiskTypeError(Exception):

89 90 91 92 93 94 95 96
        def __init__(self, type, message=None):
            if message is None:
                message = ("Operation can't be invoked on a disk of type '%s'."
                           % type)

            Exception.__init__(self, message)

            self.type = type
97

98 99
    class DiskInUseError(Exception):

100 101 102 103
        def __init__(self, disk, message=None):
            if message is None:
                message = ("The requested operation can't be performed on "
                           "disk '%s (%s)' because it is in use." %
Dudás Ádám committed
104
                           (disk.name, disk.filename))
105 106 107 108

            Exception.__init__(self, message)

            self.disk = disk
109

Guba Sándor committed
110 111 112 113 114 115 116 117 118 119 120 121
    class DiskIsNotReady(Exception):

        def __init__(self, disk, message=None):
            if message is None:
                message = ("The requested operation can'T be performed on "
                           "disk '%s (%s)' because it has never been"
                           "deployed." % (disk.name, disk.filename))

            Exception.__init__(self, message)

            self.disk = disk

122
    @property
123 124 125 126
    def ready(self):
        return self.activity_log.filter(activity_code__endswith="deploy",
                                        succeeded__isnull=False)

127
    @property
128
    def path(self):
129 130
        """The path where the files are stored.
        """
131
        return join(self.datastore.path, self.filename)
132 133

    @property
134
    def vm_format(self):
135 136
        """Returns the proper file format for different type of images.
        """
137 138 139
        return {
            'qcow2-norm': 'qcow2',
            'qcow2-snap': 'qcow2',
140
            'iso': 'raw',
141 142 143 144
            'raw-ro': 'raw',
            'raw-rw': 'raw',
        }[self.type]

145
    @property
146
    def format(self):
147 148
        """Returns the proper file format for different types of images.
        """
149 150 151 152 153 154 155 156 157
        return {
            'qcow2-norm': 'qcow2',
            'qcow2-snap': 'qcow2',
            'iso': 'iso',
            'raw-ro': 'raw',
            'raw-rw': 'raw',
        }[self.type]

    @property
158
    def device_type(self):
159 160
        """Returns the proper device prefix for different types of images.
        """
161
        return {
162 163
            'qcow2-norm': 'vd',
            'qcow2-snap': 'vd',
164
            'iso': 'hd',
165 166 167
            'raw-ro': 'vd',
            'raw-rw': 'vd',
        }[self.type]
168

169
    def is_downloading(self):
170 171 172
        return self.activity_log.filter(
            activity_code__endswith="downloading_disk",
            succeeded__isnull=True)
173 174 175 176

    def get_download_percentage(self):
        if not self.is_downloading():
            return None
177 178 179
        task = self.activity_log.filter(
            activity_code__endswith="deploy",
            succeeded__isnull=True)[0].task_uuid
180 181 182
        result = celery.AsyncResult(id=task)
        return result.info.get("percent")

183
    @property
184
    def is_deletable(self):
185
        """True if the associated file can be deleted.
186
        """
187
        # Check if all children and the disk itself is destroyed.
188 189
        yesterday = timezone.now() - timedelta(days=1)
        return (self.destroyed is not None
190
                and self.destroyed < yesterday) and self.children_deletable
191

192 193 194
    @property
    def children_deletable(self):
        """True if all children of the disk are deletable.
195
        """
196
        return all(i.is_deletable for i in self.derivatives.all())
197

198
    @property
199
    def is_in_use(self):
200
        """True if disk is attached to an active VM.
201 202 203 204

        'In use' means the disk is attached to a VM which is not STOPPED, as
        any other VMs leave the disk in an inconsistent state.
        """
205
        return any(i.state != 'STOPPED' for i in self.instance_set.all())
206

207 208
    def get_exclusive(self):
        """Get an instance of the disk for exclusive usage.
209

210 211 212
        This method manipulates the database only.
        """
        type_mapping = {
213 214 215
            'qcow2-norm': 'qcow2-snap',
            'iso': 'iso',
            'raw-ro': 'raw-rw',
216 217 218 219 220 221
        }

        if self.type not in type_mapping.keys():
            raise self.WrongDiskTypeError(self.type)

        new_type = type_mapping[self.type]
222

223 224 225
        return Disk.create(base=self, datastore=self.datastore,
                           name=self.name, size=self.size,
                           type=new_type)
226 227

    def get_vmdisk_desc(self):
228 229
        """Serialize disk object to the vmdriver.
        """
230
        return {
231
            'source': self.path,
232
            'driver_type': self.vm_format,
233
            'driver_cache': 'none',
234
            'target_device': self.device_type + self.dev_num,
235
            'disk_device': 'cdrom' if self.type == 'iso' else 'disk'
236 237
        }

238
    def get_disk_desc(self):
239 240
        """Serialize disk object to the storage driver.
        """
241 242 243 244 245 246
        return {
            'name': self.filename,
            'dir': self.datastore.path,
            'format': self.format,
            'size': self.size,
            'base_name': self.base.filename if self.base else None,
247
            'type': 'snapshot' if self.base else 'normal'
248 249
        }

250
    def get_remote_queue_name(self, queue_id='storage', check_worker=True):
251 252
        """Returns the proper queue name based on the datastore.
        """
253
        if self.datastore:
254
            return self.datastore.get_remote_queue_name(queue_id, check_worker)
255 256 257
        else:
            return None

258
    def __unicode__(self):
259
        return u"%s (#%d)" % (self.name, self.id or 0)
260

261 262 263 264 265
    def clean(self, *args, **kwargs):
        if self.size == "" and self.base:
            self.size = self.base.size
        super(Disk, self).clean(*args, **kwargs)

266
    def deploy(self, user=None, task_uuid=None, timeout=15):
267 268 269 270 271
        """Reify the disk model on the associated data store.

        :param self: the disk model to reify
        :type self: storage.models.Disk

272 273 274 275 276 277 278
        :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

279 280 281 282
        :return: True if a new reification of the disk has been created;
                 otherwise, False.
        :rtype: bool
        """
283 284 285 286
        if self.destroyed:
            self.destroyed = None
            self.save()

287
        if self.ready:
288
            return True
289 290 291 292
        with disk_activity(code_suffix='deploy', disk=self,
                           task_uuid=task_uuid, user=user) as act:

            # Delegate create / snapshot jobs
293
            queue_name = self.get_remote_queue_name('storage')
294
            disk_desc = self.get_disk_desc()
295
            if self.base is not None:
296 297
                with act.sub_activity('creating_snapshot'):
                    remote_tasks.snapshot.apply_async(args=[disk_desc],
298 299
                                                      queue=queue_name
                                                      ).get(timeout=timeout)
300 301 302
            else:
                with act.sub_activity('creating_disk'):
                    remote_tasks.create.apply_async(args=[disk_desc],
303 304
                                                    queue=queue_name
                                                    ).get(timeout=timeout)
305 306

            return True
307

308
    def deploy_async(self, user=None):
309 310
        """Execute deploy asynchronously.
        """
311 312
        return local_tasks.deploy.apply_async(args=[self, user],
                                              queue="localhost.man")
313

314
    @classmethod
315 316 317
    def create(cls, instance=None, user=None, **params):
        """Create disk with activity.
        """
318 319
        datastore = params.pop('datastore', DataStore.objects.get())
        disk = cls(filename=str(uuid.uuid4()), datastore=datastore, **params)
320
        disk.save()
Guba Sándor committed
321
        logger.debug("Disk created: %s", params)
322 323 324 325 326
        with disk_activity(code_suffix="create",
                           user=user,
                           disk=disk):
            if instance:
                instance.disks.add(disk)
327
        return disk
328

329
    @classmethod
330
    def create_empty(cls, instance=None, user=None, **kwargs):
331 332
        """Create empty Disk object.

333 334
        :param instance: Instance or template attach the Disk to.
        :type instance: vm.models.Instance or InstanceTemplate or NoneType
335
        :param user: Creator of the disk.
336
        :type user: django.contrib.auth.User
337 338

        :return: Disk object without a real image, to be .deploy()ed later.
339
        """
340
        disk = Disk.create(instance, user, **kwargs)
341
        return disk
342 343

    @classmethod
344
    def create_from_url_async(cls, url, instance=None, user=None, **kwargs):
345
        """Create disk object and download data from url asynchrnously.
346

347 348
        :param url: URL of image to download.
        :type url: string
349 350
        :param instance: Instance or template attach the Disk to.
        :type instance: vm.models.Instance or InstanceTemplate or NoneType
351 352 353 354 355 356
        :param user: owner of the disk
        :type user: django.contrib.auth.User

        :return: Task
        :rtype: AsyncResult
        """
357 358
        kwargs.update({'cls': cls, 'url': url,
                       'instance': instance, 'user': user})
cloud committed
359 360
        return local_tasks.create_from_url.apply_async(
            kwargs=kwargs, queue='localhost.man')
361

362
    @classmethod
363 364
    def create_from_url(cls, url, instance=None, user=None,
                        task_uuid=None, abortable_task=None, **kwargs):
365 366 367 368
        """Create disk object and download data from url synchronusly.

        :param url: image url to download.
        :type url: url
369 370
        :param instance: Instance or template attach the Disk to.
        :type instance: vm.models.Instance or InstanceTemplate or NoneType
371 372
        :param user: owner of the disk
        :type user: django.contrib.auth.User
373 374
        :param task_uuid: UUID of the local task
        :param abortable_task: UUID of the remote running abortable task.
375

376 377
        :return: The created Disk object
        :rtype: Disk
378
        """
379
        kwargs.setdefault('name', url.split('/')[-1])
380
        disk = Disk.create(type="iso", instance=instance, user=user,
381
                           size=None, **kwargs)
382 383
        queue_name = disk.get_remote_queue_name('storage')

384 385 386 387 388 389 390 391 392
        def __on_abort(activity, error):
            activity.disk.destroyed = timezone.now()
            activity.disk.save()

        if abortable_task:
            from celery.contrib.abortable import AbortableAsyncResult

            class AbortException(Exception):
                pass
393

394
        with disk_activity(code_suffix='deploy', disk=disk,
395
                           task_uuid=task_uuid, user=user,
396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411
                           on_abort=__on_abort) as act:
            with act.sub_activity('downloading_disk'):
                result = remote_tasks.download.apply_async(
                    kwargs={'url': url, 'parent_id': task_uuid,
                            'disk': disk.get_disk_desc()},
                    queue=queue_name)
                while True:
                    try:
                        size = result.get(timeout=5)
                        break
                    except TimeoutError:
                        if abortable_task and abortable_task.is_aborted():
                            AbortableAsyncResult(result.id).abort()
                            raise AbortException("Download aborted by user.")
                disk.size = size
                disk.save()
412
        return disk
413

414
    def destroy(self, user=None, task_uuid=None):
415 416 417
        if self.destroyed:
            return False

418 419 420 421
        with disk_activity(code_suffix='destroy', disk=self,
                           task_uuid=task_uuid, user=user):
            self.destroyed = timezone.now()
            self.save()
422

423
            return True
424

425
    def destroy_async(self, user=None):
426 427
        """Execute destroy asynchronously.
        """
428 429
        return local_tasks.destroy.apply_async(args=[self, user],
                                               queue='localhost.man')
430

431
    def restore(self, user=None, task_uuid=None):
432
        """Recover destroyed disk from trash if possible.
433 434 435 436 437 438 439 440
        """
        # TODO
        pass

    def restore_async(self, user=None):
        local_tasks.restore.apply_async(args=[self, user],
                                        queue='localhost.man')

441 442 443 444 445
    def save_as_async(self, disk, task_uuid=None, timeout=300, user=None):
        return local_tasks.save_as.apply_async(args=[disk, timeout, user],
                                               queue="localhost.man")

    def save_as(self, user=None, task_uuid=None, timeout=300):
446 447 448 449 450
        """Save VM as template.

        VM must be in STOPPED state to perform this action.
        The timeout parameter is not used now.
        """
451 452
        mapping = {
            'qcow2-snap': ('qcow2-norm', self.base),
Guba Sándor committed
453
            'qcow2-norm': ('qcow2-norm', self),
454 455 456 457
        }
        if self.type not in mapping.keys():
            raise self.WrongDiskTypeError(self.type)

458
        if self.is_in_use:
459 460
            raise self.DiskInUseError(self)

Guba Sándor committed
461 462 463
        if not self.ready:
            raise self.DiskIsNotReady(self)

464 465 466
        # from this point on, the caller has to guarantee that the disk is not
        # going to be used until the operation is complete

467
        new_type, new_base = mapping[self.type]
468

469 470 471
        disk = Disk.create(base=new_base, datastore=self.datastore,
                           name=self.name, size=self.size,
                           type=new_type)
472

473
        with disk_activity(code_suffix="save_as", disk=self,
474 475 476 477 478 479 480 481 482
                           user=user, task_uuid=task_uuid):
            with disk_activity(code_suffix="deploy", disk=disk,
                               user=user, task_uuid=task_uuid):
                queue_name = self.get_remote_queue_name('storage')
                remote_tasks.merge.apply_async(args=[self.get_disk_desc(),
                                                     disk.get_disk_desc()],
                                               queue=queue_name
                                               ).get()  # Timeout
            return disk
483 484 485 486 487 488 489 490


class DiskActivity(ActivityModel):
    disk = ForeignKey(Disk, related_name='activity_log',
                      help_text=_('Disk this activity works on.'),
                      verbose_name=_('disk'))

    @classmethod
491
    def create(cls, code_suffix, disk, task_uuid=None, user=None):
492
        act = cls(activity_code='storage.Disk.' + code_suffix,
493
                  disk=disk, parent=None, started=timezone.now(),
494
                  task_uuid=task_uuid, user=user)
495
        act.save()
496
        return act
497

498 499 500 501 502 503 504 505 506
    def __unicode__(self):
        if self.parent:
            return '{}({})->{}'.format(self.parent.activity_code,
                                       self.disk,
                                       self.activity_code)
        else:
            return '{}({})'.format(self.activity_code,
                                   self.disk)

507 508 509
    def create_sub(self, code_suffix, task_uuid=None):
        act = DiskActivity(
            activity_code=self.activity_code + '.' + code_suffix,
510
            disk=self.disk, parent=self, started=timezone.now(),
511 512 513
            task_uuid=task_uuid, user=self.user)
        act.save()
        return act
514

515 516 517
    @contextmanager
    def sub_activity(self, code_suffix, task_uuid=None):
        act = self.create_sub(code_suffix, task_uuid)
518
        return activitycontextimpl(act)
519

520

521
@contextmanager
522 523
def disk_activity(code_suffix, disk, task_uuid=None, user=None,
                  on_abort=None, on_commit=None):
524
    act = DiskActivity.create(code_suffix, disk, task_uuid, user)
525
    return activitycontextimpl(act, on_abort=on_abort, on_commit=on_commit)