フォームで送信されたファイルをキャッチし、保存する前にいくつかの操作を実行しようとしています。したがって、このファイルのコピーを一時ディレクトリに作成する必要がありますが、どのように到達するかわかりません。 Shutilの関数は、このファイルへのパスがないため、このファイルのコピーに失敗します。それで、この操作を他の方法で行う方法はありますか?
私のコード:
image = form.cleaned_data['image']
temp = os.path.join(settings.PROJECT_PATH, 'tmp')
sourceFile = image.name # without .name here it wasn't working either
import shutil
shutil.copy(sourceFile, temp)
発生するもの:
Exception Type: IOError at /
Exception Value: (2, 'No such file or directory')
そしてデバッグ:
# (..)\views.py in function
67. sourceFile = image.name
68. import shutil
69. shutil.copy2(sourceFile, temp) ...
# (..)\Python26\lib\shutil.py in copy2
92. """Copy data and all stat info ("cp -p src dst").
93.
94. The destination may be a directory.
95.
96. """
97. if os.path.isdir(dst):
98. dst = os.path.join(dst, os.path.basename(src))
99. copyfile(src, dst) ...
100. copystat(src, dst)
101.
▼ Local vars
Variable Value
dst
u'(..)\\tmp\\myfile.JPG'
src
u'myfile.JPG'
# (..)\Python26\lib\shutil.py in copyfile
45. """Copy data from src to dst"""
46. if _samefile(src, dst):
47. raise Error, "`%s` and `%s` are the same file" % (src, dst)
48.
49. fsrc = None
50. fdst = None
51. try:
52. fsrc = open(src, 'rb') ...
53. fdst = open(dst, 'wb')
54. copyfileobj(fsrc, fdst)
55. finally:
56. if fdst:
57. fdst.close()
58. if fsrc:
▼ Local vars
Variable Value
dst
u'(..)\\tmp\\myfile.JPG'
fdst
None
fsrc
None
src
u'myfile.JPG'
これ は同様の質問ですが、役立つかもしれません。
import os
from Django.core.files.storage import default_storage
from Django.core.files.base import ContentFile
from Django.conf import settings
data = request.FILES['image'] # or self.files['image'] in your form
path = default_storage.save('tmp/somename.mp3', ContentFile(data.read()))
tmp_file = os.path.join(settings.MEDIA_ROOT, path)
@ ups で述べたように、大きなファイルをアップロードする場合、data.read()
でシステムメモリを詰まらせたくありません。
Django docs から:
UploadedFile.chunks()
を使用する代わりにread()
をループすることで、大きなファイルがシステムのメモリを圧迫しないようにします。
from Django.core.files.storage import default_storage
filename = "whatever.xyz" # received file name
file_obj = request.data['file']
with default_storage.open('tmp/'+filename, 'wb+') as destination:
for chunk in file_obj.chunks():
destination.write(chunk)
これは、特に指示がない限り、MEDIA_ROOT/tmp/
が保存するようにdefault_storage
にファイルを保存します。
最善のアクションは、カスタムアップロードハンドラーを作成することです。 docs を参照してください。 「file_complete」ハンドラーを追加すると、メモリファイルまたは一時パスファイルがあるかどうかに関係なく、ファイルのコンテンツにアクセスできます。 「receive_data_chunck」メソッドを使用して、その中にコピーを書き込むこともできます。
よろしく
Pythonのmkstemp
を使用する別の方法を次に示します。
### get the inmemory file
data = request.FILES.get('file') # get the file from the curl
### write the data to a temp file
tup = tempfile.mkstemp() # make a tmp file
f = os.fdopen(tup[0], 'w') # open the tmp file for writing
f.write(data.read()) # write the tmp file
f.close()
### return the path of the file
filepath = tup[1] # get the filepath
return filepath