8

我有一个 HTML 表单,我正在使用 Python 根据输入生成一个日志文件。如果用户愿意,我还希望能够允许用户上传图片。一旦它在那里,我可以弄清楚如何用 Python 操作它,但我不确定如何上传图像。这肯定是以前做过的,但我很难找到任何例子。你们中的任何人都可以指出我正确的方向吗?

基本上,我正在使用cgi.FieldStorageandcsv.writer来制作日志。我想从用户的计算机上获取图像,然后将其保存到我服务器上的目录中。然后我将重命名它并将标题附加到 CSV 文件中。

我知道有很多选择。我只是不知道它们是什么。如果有人可以指导我获取一些资源,我将不胜感激。

4

2 回答 2

8

既然您说您的特定应用程序是与 python cgi 模块一起使用的,那么快速谷歌就会找到大量示例。这是第一个:

最小 http 上传 cgi (Python recipe) ( snip )

def save_uploaded_file (form_field, upload_dir):
    """This saves a file uploaded by an HTML form.
       The form_field is the name of the file input field from the form.
       For example, the following form_field would be "file_1":
           <input name="file_1" type="file">
       The upload_dir is the directory where the file will be written.
       If no file was uploaded or if the field does not exist then
       this does nothing.
    """
    form = cgi.FieldStorage()
    if not form.has_key(form_field): return
    fileitem = form[form_field]
    if not fileitem.file: return
    fout = file (os.path.join(upload_dir, fileitem.filename), 'wb')
    while 1:
        chunk = fileitem.file.read(100000)
        if not chunk: break
        fout.write (chunk)
    fout.close()

此代码将获取文件输入字段,这将是一个类似文件的对象。然后它将逐块读取到输出文件中。

2015 年 4 月 12 日更新:根据评论,我添加了对这个旧的 activestate 片段的更新:

import shutil

def save_uploaded_file (form_field, upload_dir):
    form = cgi.FieldStorage()
    if not form.has_key(form_field): return
    fileitem = form[form_field]
    if not fileitem.file: return

    outpath = os.path.join(upload_dir, fileitem.filename)

    with open(outpath, 'wb') as fout:
        shutil.copyfileobj(fileitem.file, fout, 100000)
于 2012-08-28T19:47:11.443 回答
3

网络框架工作 Pyramid 就是一个很好的例子。 http://docs.pylonsproject.org/projects/pyramid_cookbook/en/latest/forms/file_uploads.html

这是我在工作项目中使用的示例代码。

    extension = os.path.splitext(request.POST[form_id_name].filename)[1]
    short_id = str(random.randint(1, 999999999))
    new_file_name =  short_id + extension
    input_file = request.POST[form_id_name].file
    file_path = os.path.join(os.environ['PROJECT_PATH'] + '/static/memberphotos/', new_file_name)

    output_file = open(file_path, 'wb')
    input_file.seek(0)
    while 1:
        data = input_file.read(2<<16)
        if not data:
            break
        output_file.write(data)
    output_file.close()
于 2012-08-28T19:33:18.440 回答