使用curl将文件上传到python flask服务器

时间:2013-06-26 19:45:02

标签: python curl flask

我正在尝试使用curl和python flask将文件上传到服务器。下面我有我如何实现它的代码。关于我做错了什么的任何想法。

curl -i -X PUT -F name=Test -F filedata=@SomeFile.pdf "http://localhost:5000/" 

@app.route("/", methods=['POST','PUT'])
def hello():
    file = request.files['Test']
    if file and allowed_file(file.filename):
        filename=secure_filename(file.filename)
        print filename

    return "Success"

以下是服务器发回的错误

<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">
<title>400 Bad Request</title>
<h1>Bad Request</h1>
<p>The browser (or proxy) sent a request that this server could not understand.</p>

提前致谢。

2 个答案:

答案 0 :(得分:16)

您的curl命令意味着您正在传输两个表单内容,一个名为filedata的文件和一个名为name的表单字段。所以你可以这样做:

file = request.files['filedata']   # gives you a FileStorage
test = request.form['name']        # gives you the string 'Test'

request.files['Test']不存在。

答案 1 :(得分:0)

要使其正常工作,我遇到了很多问题,因此,这是一个非常明确的解决方案:

在这里,我们制作了一个简单的flask应用程序,该应用程序有两种方法,一种用于测试该应用程序是否正常工作(“ Hello World”),另一种用于打印文件名(以确保我们拥有该文件)。

from flask import Flask, request
from werkzeug.utils import secure_filename

app = Flask(__name__)

@app.route("/")
def hello_world():
    return "Hello World"

@app.route("/print_filename", methods=['POST','PUT'])
def print_filename():
    file = request.files['file']
    filename=secure_filename(file.filename)   
    return filename

if __name__=="__main__":
    app.run(port=6969, debug=True)

首先我们测试是否可以联系该应用程序:

curl http://localhost:6969
>Hello World

现在,让我们发布文件并获取其文件名。我们使用“ file =“引用文件,因为“ request.files ['file']”引用“ file”。在这里,我们进入一个目录,其中包含一个名为“ test.txt”的文件:

curl -X POST -F file=@test.txt http://localhost:6969/print_filename
>test.txt

最后,我们要使用文件路径:

curl -X POST -F file=@"/path/to/my/file/test.txt" http://localhost:6969/print_filename
>test.txt

现在我们已经确认我们可以真正拥有该文件,然后您可以使用标准Python代码使用该文件执行任何操作。