2

我正在编写一个 chrome 扩展内容脚本,它将自己嵌入到某些页面上,当存在某些文件类型链接(.doc、.torrent 等)时,它将下载该文件,然后将文件 POST 到 python 网络服务器将保存该文件。python服务器正在工作,并处理正常的multipart/form-data POST请求,并在我使用我为它编写的html接口时成功保存了文件。

我有 javascript 正确下载文件:

var req = new XMLHttpRequest();
req.open('GET', 'http://foo.com/bar.torrent', false);
req.overrideMimeType('text/plain; charset=x-user-defined');
req.send(null);
if (req.status != 200) return '';
var response = req.responseText;

然后当我尝试创建一个 POST 请求并上传它时

// Define a boundary, I stole this from IE but you can use any string AFAIK
var boundary = "---------------------------7da24f2e50046";
var xhr = new XMLHttpRequest();
var body = '--' + boundary + '\r\n'
         // Parameter name is "file" and local filename is "temp.txt"
         + 'Content-Disposition: form-data; name="upfile";'
         + 'filename="temp.torrent"\r\n'
         // Add the file's mime-type
         + 'Content-type: application/bittorrent\r\n\r\n'
         + response + '\r\n';
         //+ boundary + '--';
xhr.open("POST", "http://python.server/", true);
xhr.setRequestHeader(
    "Content-type", "multipart/form-data; boundary="+boundary

);
xhr.onreadystatechange = function ()
{
    if (xhr.readyState == 4 && xhr.status == 200)
        alert("File uploaded!");
}
xhr.send(body);

它认为它已成功上传,但是当我尝试打开文件时,它说数据已损坏。我认为这是某种编码问题,但我不是 100% 确定。

任何想法都会非常有帮助。

4

1 回答 1

2

您的上传方法不起作用,因为所有二进制字符都编码为 UTF-8。我在这个问题的答案中发布了解释和解决方案。

在您的情况下,您不需要手动创建帖子数据。以智能的方式请求初始数据,并使用FormData对象发布二进制数据。例如:

var x = new XMLHttpRequest();
x.onload = function() {
    // Create a form
    var fd = new FormData();
    fd.append("upfile", x.response); // x.response is a Blob object

    // Upload to your server
    var y = new XMLHttpRequest();
    y.onload = function() {
        alert('File uploaded!');
    };
    y.open('POST', 'http://python/server/');
    y.send(fd);
};
x.responseType = 'blob';    // <-- This is necessary!
x.open('GET', 'http://foo.com/bar.torrent', true);
x.send();

注意:我在最初的请求中false替换为。当也可以异步创建请求时true避免使用同步。XMLHttpRequest

如果您不理解答案,这里有更多示例,其中有详尽的解释:

于 2012-12-14T22:36:06.957 回答