首页 > 解决方案 > Django max_upload_size 被忽略

问题描述

我有这段代码,但由于某种原因,文件大小被忽略了,即使我在 formatChecker.py 将其直接设置为 ('max_upload_size', 5242880),在上传发生后,该值似乎也被忽略了。

设置.py

MAX_UPLOAD_SIZE = "5242880"

格式检查器.py

from django.db.models import FileField
from django.forms import forms
from django.template.defaultfilters import filesizeformat
from django.utils.translation import ugettext_lazy as _
from myproject.settings import MAX_UPLOAD_SIZE


class ContentTypeRestrictedFileField(FileField):
    """
    Same as FileField, but you can specify:
        * content_types - list containing allowed content_types. Example: ['application/pdf', 'image/jpeg']
        * max_upload_size - a number indicating the maximum file size allowed for upload.
            2.5MB - 2621440
            5MB - 5242880
            10MB - 10485760
            20MB - 20971520
            50MB - 5242880
            100MB 104857600
            250MB - 214958080
            500MB - 429916160
    """

    def __init__(self, *args, **kwargs):
        self.content_types = kwargs.pop('content_types', [])

        super(ContentTypeRestrictedFileField, self).__init__(*args, **kwargs)

    def clean(self, *args, **kwargs):
        data = super(ContentTypeRestrictedFileField, self).clean(*args, **kwargs)

        file = data.file
        try:
            content_type = file.content_type
            if content_type in self.content_types:
                if file._size > int(MAX_UPLOAD_SIZE):
                    raise forms.ValidationError(_('Please keep filesize under %s. Current filesize %s') % (
                        filesizeformat(MAX_UPLOAD_SIZE), filesizeformat(file._size)))
            else:
                raise forms.ValidationError(_('Filetype not supported.'))
        except AttributeError:
            pass
        return data

模型.py

...
class Post(models.Model):
    postattachment = ContentTypeRestrictedFileField(
      blank=True,
      null=True,
      upload_to=get_file_path_user_uploads,
      content_types=['application/pdf',
                     'application/zip',
                     'application/x-rar-compressed',
                     'application/x-tar',
                     'image/gif',
                     'image/jpeg',
                     'image/png',
                     'image/svg+xml',
                     ]
     )
...

知道为什么会出现这个问题吗?我在这里忘记了什么吗?

标签: pythondjangodjango-modelsfield

解决方案


加入MAX_UPLOAD_SIZE = "5242880"_setting.py

然后在视图文件中

from django.conf import settings
file._size > settings.MAX_UPLOAD_SIZE

或者file._size > int(settings.MAX_UPLOAD_SIZE)

在 init 方法中,它弹出两个键,所以它不存在

    def __init__(self, *args, **kwargs):
       self.content_types = kwargs.pop('content_types', [])
       self.max_upload_size = kwargs.pop('max_upload_size',[])

所以删除这些行

self.content_types = kwargs.pop('content_types', [])
self.max_upload_size = kwargs.pop('max_upload_size', [])

推荐阅读