示例#1
0
class ModelWithCallable(Model):
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from=lambda instance: 'the %s' % instance.name)
示例#2
0
class ModelWithUniqueSlugYear(Model):
    date = DateField()
    slug = AutoSlugField(unique_with='date__year')
示例#3
0
class ModelWithLongNameUnique(Model):
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from='name', unique=True)
示例#4
0
class ModelWithReferenceToItself(Model):
    slug = AutoSlugField(unique_with='slug')
示例#5
0
class ModelWithWrongLookupInUniqueWith(Model):
    slug = AutoSlugField(unique_with='name__foo')
    name = CharField(max_length=10)
示例#6
0
class ModelWithCustomPrimaryKey(Model):
    custom_primary_key = CharField(primary_key=True, max_length=1)
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from='name', unique=True)
示例#7
0
class SimpleModel(Model):
    name = CharField(max_length=200)
    slug = AutoSlugField()
示例#8
0
class ModeltranslationOne(Model):
    title = CharField(max_length=255)
    description = CharField(max_length=255)
    slug = AutoSlugField(populate_from='title', always_update=True, unique=True)
示例#9
0
class NonDeletableModelWithUniqueSlug(AbstractModelWithCustomManager):
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from='name', unique=True, manager_name='all_objects')
示例#10
0
class SharedSlugSpace(Model):
    objects = Manager()
    name = CharField(max_length=200)
    # ensure that any subclasses use the base model's manager for testing
    # slug uniqueness
    slug = AutoSlugField(populate_from='name', unique=True, manager=objects)
示例#11
0
class ModelWithUniqueSlugFKNull(Model):
    name = CharField(max_length=200)
    simple_model = ForeignKey(SimpleModel, null=True, blank=True, default=None, on_delete=CASCADE)
    slug = AutoSlugField(populate_from='name', unique_with='simple_model')
示例#12
0
class ModelWithAutoUpdateEnabled(Model):
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from='name', always_update=True)
示例#13
0
class ModelWithAcceptableEmptyDependency(Model):
    date = DateField(blank=True, null=True)
    slug = AutoSlugField(unique_with='date')
示例#14
0
class ModelWithWrongFieldOrder(Model):
    slug = AutoSlugField(unique_with='date')
    date = DateField(blank=False, null=False)
示例#15
0
class ModelWithCallableAttr(Model):
    name = CharField(max_length=200)
    slug = AutoSlugField(populate_from='get_name')

    def get_name(self):
        return 'spam, %s and spam' % self.name
示例#16
0
class ModelWithUniqueSlugFK(Model):
    name = CharField(max_length=200)
    simple_model = ForeignKey(SimpleModel, on_delete=CASCADE)
    slug = AutoSlugField(populate_from='name', unique_with='simple_model__name')
示例#17
0
class ModelWithBlank(Model):
    name = CharField(max_length=200, blank=True, null=True)
    slug = AutoSlugField(populate_from='name', blank=True)
示例#18
0
class ModelWithUniqueSlugDate(Model):
    date = DateField()
    slug = AutoSlugField(unique_with='date')
示例#19
0
class ModelWithCustomSlugifier(Model):
    slug = AutoSlugField(unique=True, slugify=custom_slugify)
示例#20
0
class ModelWithUniqueSlugDay(Model):  # same as ...Date, just more explicit
    date = DateTimeField()
    slug = AutoSlugField(unique_with='date__day')
示例#21
0
class ModelWithCustomSeparator(Model):
    slug = AutoSlugField(unique=True, sep='_')
示例#22
0
class ModelWithUniqueSlugMonth(Model):
    date = DateField()
    slug = AutoSlugField(unique_with='date__month')
示例#23
0
class ModelWithWrongReferencedField(Model):
    slug = AutoSlugField(unique_with='wrong_field')
示例#24
0
class AJob(models.Model):
    """

    Set `root_job` to define a custom root path (str or callable).
    Set `upload_to_root` to define a custom path to the root folder of the job (str or callable).
    Set `upload_to_results` to define a custom path to the results sub-folder of the job (str or callable).
    Set ``REQUIRED_USER_FILES_ATTRNAME`` to define mandatory files uploaded with this job (or use ADataFile if multiple)

    --------
    http://stackoverflow.com/questions/16655097/django-abstract-models-versus-regular-inheritance#16838663
    """

    from autoslugged import AutoSlugField
    from echoices.enums import EChoice
    from echoices.fields import make_echoicefield

    class Meta:
        abstract = True

    @unique
    class EState(EChoice):
        # Creation codes
        CREATED = (0, 'Created')
        # Submission codes
        SUBMITTED = (10, 'Submitted')
        # Computation codes
        RUNNING = (20, 'Running')
        # Completion codes
        COMPLETED = (30, 'Completed')

    @unique
    class EStatus(EChoice):
        ACTIVE = (0, 'Active')
        SUCCESS = (10, 'Succeeded')
        FAILURE = (20, 'Failed')

    IDENTIFIER_MIN_LENGTH = 0
    IDENTIFIER_MAX_LENGTH = 32
    IDENTIFIER_ALLOWED_CHARS = "[a-zA-Z0-9]"
    IDENTIFIER_REGEX = re.compile("{}{{{},}}".format(IDENTIFIER_ALLOWED_CHARS,
                                                     IDENTIFIER_MIN_LENGTH))
    SLUG_MAX_LENGTH = 32
    SLUG_RND_LENGTH = 6

    REQUIRED_USER_FILES_ATTRNAME = 'required_user_files'

    root_job = None
    upload_to_root = job_root
    upload_to_results = job_results

    def slug_default(self):
        if self.identifier:
            slug = self.identifier[:min(len(self.identifier), self.
                                        SLUG_RND_LENGTH)]
        else:
            slug = self.__class__.__name__[0]
        slug += self.timestamp.strftime("%y%m%d%H%M")  # YYMMDDHHmm
        if len(slug) > self.SLUG_MAX_LENGTH:
            slug = slug[:self.SLUG_MAX_LENGTH - self.SLUG_RND_LENGTH] + \
                   str(rnd.randrange(10 ** (self.SLUG_RND_LENGTH - 1), 10 ** self.SLUG_RND_LENGTH))
        # TODO: assert uniqueness, otherwise regen
        return slug

    timestamp = models.DateTimeField(verbose_name=_("job creation timestamp"),
                                     auto_now_add=True)
    # TODO: validate identifier over allowance for slug or [a-zA-Z0-9_]
    identifier = models.CharField(
        max_length=IDENTIFIER_MAX_LENGTH,
        blank=True,
        db_index=True,
        help_text=_("Human readable identifier, as provided by the submitter"),
        validators=[RegexValidator(regex=IDENTIFIER_REGEX)])
    slug = AutoSlugField(
        db_index=True,
        editable=True,
        help_text=
        _("Human readable url, must be unique, a default one will be generated if none is given"
          ),
        max_length=SLUG_MAX_LENGTH,
        populate_from=slug_default,
        unique=True)
    state = make_echoicefield(EState, default=EState.CREATED, editable=False)
    status = make_echoicefield(EStatus, default=EStatus.ACTIVE, editable=False)
    started = models.DateTimeField(null=True, editable=False)
    duration = models.DurationField(null=True, editable=False)
    closure = models.DateTimeField(
        blank=True,
        null=True,
        db_index=True,
        help_text=
        _("Timestamp of removal, will be set automatically on creation if not given"
          ))  # Default is set on save()
    error = models.TextField(null=True, editable=False)

    def __str__(self):
        return str('{} {} ({} and {})'.format(self.__class__.__name__, self.id,
                                              self.state.label,
                                              self.status.label))

    def _move_data_from_tmp_to_upload(self):
        # https://stackoverflow.com/a/16574947/
        # TODO: assert required_user_files is not empty? --> user warning?
        setattr(self, '_tmp_files',
                list(getattr(self, self.REQUIRED_USER_FILES_ATTRNAME)))
        for field in getattr(self, self.REQUIRED_USER_FILES_ATTRNAME):
            file = getattr(self, field) if isinstance(field, str) else getattr(
                self, field.attname)
            if not file:
                raise FileNotFoundError(
                    "{} is indicated as required, but no file could be found".
                    format(field))
            # Create new filename, using primary key and file extension
            old_filename = file.name
            new_filename = file.field.upload_to(self,
                                                os.path.basename(old_filename))
            # TODO: try this instead: https://docs.djangoproject.com/en/1.11/topics/files/#using-files-in-models
            # Create new file and remove old one
            file.storage.save(new_filename, file)
            file.name = new_filename
            file.close()
            file.storage.delete(old_filename)
            getattr(self, '_tmp_files').remove(field)
        import shutil
        shutil.rmtree(get_absolute_path(self, self.upload_to_root))
        setattr(self, '_tmp_id', 0)

    def save(self, *args, results_exist_ok=False, **kwargs):
        created = not self.pk
        if created and getattr(self, 'required_user_files', []):
            setattr(self, 'upload_to_data',
                    getattr(self, 'upload_to_data', None))
            setattr(self, '_tmp_id', rnd.randrange(10**6, 10**7))
        try:
            super(AJob, self).save(*args,
                                   **kwargs)  # Call the "real" save() method.
        except AttributeError as ae:
            if "object has no attribute '_tmp_id'" in str(ae.args):
                raise AttributeError(
                    "It looks like you forgot to set the `required_user_files` attribute on {}."
                    .format(self.__class__)) from None
            raise ae
        if created:
            dirty = False
            if settings.TTL.seconds > 0:
                # Set timeout
                self.closure = self.timestamp + settings.TTL
                dirty = True  # Write closure to DB
            if getattr(self, 'required_user_files', []):
                self._move_data_from_tmp_to_upload()
                dirty = True  # Persist file changes
            if dirty:
                super(AJob, self).save()
            # Ensure the destination folder exists (may create some issues else, depending on application usage)
            os.makedirs(get_absolute_path(self, self.upload_to_results),
                        exist_ok=results_exist_ok)

    def progress(self, new_state):
        """
        Signal a change in the pipeline

        Parameters
        ----------
        new_state : EState

        Returns
        -------
        EState
            The previous state

        """
        old_state = self.state
        self.state = new_state
        self.save()
        return old_state

    def start(self):
        """
        To be called when the job is to be started.

        Returns
        -------
        state : EState
        status : EStatus
        started : datetime

        """
        self.started = timezone.now()
        self.progress(self.EState.RUNNING)
        logger.debug("Starting {} at {}".format(self, self.started))
        return self.state, self.status, self.started

    def stop(self):
        """
        To be called when the job is completed. Can be called multiple times, will only be applied once.

        Returns
        -------
        state : EState
        status : EStatus
        duration : datetime.timedelta
            Duration of the job

        """
        self._set_duration()
        if self.state is not self.EState.COMPLETED:
            self.status = self.EStatus.FAILURE if self.has_failed(
            ) else self.EStatus.SUCCESS
            self.progress(self.EState.COMPLETED)  # This will also save the job
            logger.debug("{} terminated in {}s with status '{}'".format(
                self, self.duration, self.status.label))
        return self.state, self.status, self.duration

    def failed(self, task, exception):
        """
        Mark the job as failed and stop it.

        Note that it may not stop the chain, though.

        Parameters
        ----------
        task
        exception

        Returns
        -------
        TODO

        """
        self._set_duration()
        from json import dumps
        self.error = dumps(
            dict(task=task.__name__,
                 exception="{}".format(type(exception).__name__),
                 msg="{}".format(exception)))
        # TODO: http://stackoverflow.com/questions/4564559/
        logger.exception("Task %s failed with following exception: %s",
                         task.__name__, exception)
        return self.stop()

    def has_failed(self):
        return bool(self.error)

    def _set_duration(self):
        if not self.duration:
            self.duration = timezone.now() - self.started
            self.save()
        return self.duration