Django文件存储 默认存储系统解析


Posted in Python onAugust 02, 2019

Django默认使用的文件存储系统'django.core.files.storage.FileSystemStorage'是一个本地存储系统,由settings中的DEFAULT_FILE_STORAGE值确定。

class FileSystemStorage(location=None, base_url=None, file_permissions_mode=None, directory_permissions_mode=None)

FileSystemStorage类继承自Storage类,location是存储文件的绝对路径,默认值是settings中的MEDIA_ROOT值,base_url默认值是settings中的MEDIA_URL值。

当定义location参数时,可以无视MEDIA_ROOT值来存储文件:

from django.db import models
from django.core.files.storage import FileSystemStorage 
fs = FileSystemStorage(location='/media/photos') 
class Car(models.Model):
  ...
  photo = models.ImageField(storage=fs)

这样文件会存储在/media/photos文件夹。

可以直接使用Django的文件存储系统来存储文件:

>>> from django.core.files.storage import default_storage
>>> from django.core.files.base import ContentFile
 
>>> path = default_storage.save('/path/to/file', ContentFile('new content'))
>>> path
'/path/to/file'
 
>>> default_storage.size(path)
11
>>> default_storage.open(path).read()
'new content'
 
>>> default_storage.delete(path)
>>> default_storage.exists(path)
False

可以从FileSystemStorage类的_save方法看下上传文件是怎么存储的:

def _save(self, name, content):
  full_path = self.path(name)
 
  # Create any intermediate directories that do not exist.
  # Note that there is a race between os.path.exists and os.makedirs:
  # if os.makedirs fails with EEXIST, the directory was created
  # concurrently, and we can continue normally. Refs #16082.
  directory = os.path.dirname(full_path)
  if not os.path.exists(directory):
    try:
      if self.directory_permissions_mode is not None:
        # os.makedirs applies the global umask, so we reset it,
        # for consistency with file_permissions_mode behavior.
        old_umask = os.umask(0)
        try:
          os.makedirs(directory, self.directory_permissions_mode)
        finally:
          os.umask(old_umask)
      else:
        os.makedirs(directory)
    except OSError as e:
      if e.errno != errno.EEXIST:
        raise
  if not os.path.isdir(directory):
    raise IOError("%s exists and is not a directory." % directory)
 
  # There's a potential race condition between get_available_name and
  # saving the file; it's possible that two threads might return the
  # same name, at which point all sorts of fun happens. So we need to
  # try to create the file, but if it already exists we have to go back
  # to get_available_name() and try again.
 
  while True:
    try:
      # This file has a file path that we can move.
      if hasattr(content, 'temporary_file_path'):
        file_move_safe(content.temporary_file_path(), full_path)
 
      # This is a normal uploadedfile that we can stream.
      else:
        # This fun binary flag incantation makes os.open throw an
        # OSError if the file already exists before we open it.
        flags = (os.O_WRONLY | os.O_CREAT | os.O_EXCL |
             getattr(os, 'O_BINARY', 0))
        # The current umask value is masked out by os.open!
        fd = os.open(full_path, flags, 0o666)
        _file = None
        try:
          locks.lock(fd, locks.LOCK_EX)
          for chunk in content.chunks():
            if _file is None:
              mode = 'wb' if isinstance(chunk, bytes) else 'wt'
              _file = os.fdopen(fd, mode)
            _file.write(chunk)
        finally:
          locks.unlock(fd)
          if _file is not None:
            _file.close()
          else:
            os.close(fd)
    except OSError as e:
      if e.errno == errno.EEXIST:
        # Ooops, the file exists. We need a new file name.
        name = self.get_available_name(name)
        full_path = self.path(name)
      else:
        raise
    else:
      # OK, the file save worked. Break out of the loop.
      break
 
  if self.file_permissions_mode is not None:
    os.chmod(full_path, self.file_permissions_mode)
 
  # Store filenames with forward slashes, even on Windows.
  return force_text(name.replace('\\', '/'))

方法中可以看出,先判断文件存储的目录是否存在,如果不存在,使用os.mkdirs()依次创建目录。

根据directory_permissions_mode参数来确定创建的目录的权限,应该为(0777 &~umask)。

然后使用os.open()创建文件,flags参数为(os.O_WRONLY | os.O_CREAT | os.O_EXCL | getattr(os, 'O_BINARY', 0)),

这样当文件已存在时,则报EEXIST异常,使用get_available_name()方法重新确定文件的名字。

mode为0o666,权限为(0666 &~umask)。

content为FILE对象,如一切正常,使用FILE.chunks()依次将内容写入文件。

最后,根据file_permissions_mode参数,修改创建文件的权限。

Python 相关文章推荐
python不带重复的全排列代码
Aug 13 Python
Python中遇到的小问题及解决方法汇总
Jan 11 Python
python使用PyCharm进行远程开发和调试
Nov 02 Python
python3实现字符串的全排列的方法(无重复字符)
Jul 07 Python
深入浅析Python传值与传址
Jul 10 Python
浅述python2与python3的简单区别
Sep 19 Python
自学python的建议和周期预算
Jan 30 Python
深入了解Python iter() 方法的用法
Jul 11 Python
python PyAutoGUI 模拟鼠标键盘操作和截屏功能
Aug 04 Python
利用pytorch实现对CIFAR-10数据集的分类
Jan 14 Python
python使用turtle库绘制奥运五环
Feb 24 Python
Python编程快速上手——选择性拷贝操作案例分析
Feb 28 Python
Django 迁移、操作数据库的方法
Aug 02 #Python
Django用户认证系统 组与权限解析
Aug 02 #Python
python3中eval函数用法使用简介
Aug 02 #Python
Django用户认证系统 Web请求中的认证解析
Aug 02 #Python
Django用户认证系统 User对象解析
Aug 02 #Python
浅谈python3中input输入的使用
Aug 02 #Python
Pycharm连接远程服务器并实现远程调试的实现
Aug 02 #Python
You might like
全国FM电台频率大全 - 23 四川省
2020/03/11 无线电
PHP不用递归实现无限分级的例子分享
2014/04/18 PHP
PHP自定义图片缩放函数实现等比例不失真缩放的方法
2016/08/19 PHP
thinkPHP微信分享接口JSSDK用法实例
2017/07/07 PHP
thinkphp5.0自定义验证规则使用方法
2017/11/16 PHP
关于IFRAME 自适应高度的研究
2006/07/20 Javascript
javascript同步Import,同步调用外部js的方法
2008/07/08 Javascript
在JavaScript中监听IME键盘输入事件
2011/05/29 Javascript
js中的屏蔽的使用示例
2013/07/30 Javascript
js 三级关联菜单效果实例
2013/08/13 Javascript
js获取判断上传文件后缀名的示例代码
2014/02/19 Javascript
JavaScript 实现鼠标拖动元素实例代码
2014/02/24 Javascript
JavaScript 学习笔记之操作符
2015/01/14 Javascript
javascript中的Function.prototye.bind
2015/06/25 Javascript
JS遍历数组和对象的区别及递归遍历对象、数组、属性的方法详解
2016/06/14 Javascript
把多个JavaScript函数绑定到onload事件处理函数上的方法
2016/09/04 Javascript
Java  Spring 事务回滚详解
2016/10/17 Javascript
利用yarn实现一个webpack+react种子
2016/10/25 Javascript
js判断手机号是否正确并返回的实现代码
2017/01/17 Javascript
js实现Tab选项卡切换效果
2020/07/17 Javascript
详解Vue Elememt-UI构建管理后台
2018/02/27 Javascript
vue项目开发中setTimeout等定时器的管理问题
2018/09/13 Javascript
JS使用队列对数组排列,基数排序算法示例
2019/03/02 Javascript
vue props对象validator自定义函数实例
2019/11/13 Javascript
[47:55]Ti4第二日主赛事败者组 NaVi vs EG 1
2014/07/20 DOTA
Python实现的计算器功能示例
2018/04/26 Python
Python多线程中阻塞(join)与锁(Lock)使用误区解析
2018/04/27 Python
Django unittest 设置跳过某些case的方法
2018/12/26 Python
如何对python的字典进行排序
2020/06/19 Python
python 实现批量图片识别并翻译
2020/11/02 Python
暑期社会实践学生的自我评价
2014/01/09 职场文书
优秀食品类广告词
2014/03/19 职场文书
企业年会主持词
2014/03/27 职场文书
节约粮食标语
2014/06/18 职场文书
2019年中学生的思想品德评语集锦
2019/12/19 职场文书
Redis keys命令的具体使用
2022/06/05 Redis