2

我正在尝试覆盖cachefile_name模块 django-imagekit 中的属性。

这是我的代码:

class Thumb150x150(ImageSpec):
    processors = [ResizeToFill(150, 150)]
    format = 'JPEG'
    options = {'quality': 90}

    @property
    def cachefile_name(self):
        # simplified for this example
        return "bla/blub/test.jpg"

register.generator('blablub:thumb_150x150', Thumb150x150)

class Avatar(models.Model):
avatar= ProcessedImageField(upload_to=upload_to,
                            processors=[ConvertToRGBA()],
                            format='JPEG',
                            options={'quality': 60})
avatar_thumb = ImageSpecField(source='avatar',
                              id='blablub:thumb_150x150')

它根本不起作用。
当我调试(没有覆盖cachefile_name)并查看 cachefile_name 的返回值时,结果是一个类似“CACHE/blablub/asdlkfjasd09fsaud0fj.jpg”的字符串。我的错误在哪里?

有任何想法吗?

4

2 回答 2

4

尽可能地复制这个例子,它工作得很好。有几个建议是:

1) 确保您在视图中使用 avatar_thumb。直到那时才会生成文件“bla/blub/test.jpg”。

2) 检查你的 MEDIA_ROOT 的配置,确保你知道“bla/blub/test.jpg”应该出现在哪里。

让我举一个我正在做的类似事情的例子。我想为我的缩略图提供可以从原始文件名预测的唯一名称。Imagekit 的默认方案基于哈希命名缩略图,我猜不出来。而不是这个:

media/12345.jpg
media/CACHE/12345/abcde.jpg

我想要这个:

media/photos/original/12345.jpg
media/photos/thumbs/12345.jpg

覆盖 IMAGEKIT_SPEC_CACHEFILE_NAMER 不起作用,因为我不希望我的所有缓存文件最终都位于“thumbs”目录中,而只是那些从特定模型中的特定字段生成的文件。

所以我创建了这个 ImageSpec 子类并注册了它:

class ThumbnailSpec(ImageSpec):
    processors=[Thumbnail(200, 200, Anchor.CENTER, crop=True, upscale=False)]
    format='JPEG'
    options={'quality': 90}

    # put thumbnails into the "photos/thumbs" folder and
    # name them the same as the source file
    @property
    def cachefile_name(self):
        source_filename = getattr(self.source, 'name', None)
        s = "photos/thumbs/" + source_filename
        return s

register.generator('myapp:thumbnail', ThumbnailSpec)

然后像这样在我的模型中使用它:

# provide a unique name for each image file
def get_file_path(instance, filename):
    ext = filename.split('.')[-1]
    return "%s.%s" % (uuid.uuid4(), ext.lower())

# store the original images in the 'photos/original' directory
photoStorage = FileSystemStorage(
    location=os.path.join(settings.MEDIA_ROOT, 'photos/original'),
    base_url='/photos/original')

class Photo(models.Model):
    image = models.ImageField(storage=photoStorage, upload_to=get_file_path)
    thumb = ImageSpecField(
        source='image',
        id='myapp:thumbnail')
于 2015-08-10T09:07:34.247 回答
1

我认为,正确的方法是设置IMAGEKIT_SPEC_CACHEFILE_NAMER。看看默认的命名器 names.py,它将 settings.IMAGEKIT_CACHEFILE_DIR 与文件路径和哈希连接起来,你可能也应该这样做。

于 2014-04-24T14:39:56.497 回答