Javascript在xhttp POST请求

时间:2017-10-29 07:55:02

标签: javascript arrays

我需要上传包含标题和特定数字等元数据的zip文件。

要么我直接发送zip文件:

function generalPostRequest(content, url, cb) {    
    var xhttp = new XMLHttpRequest();
    xhttp.open("POST", url, true);
    xhttp.withCredentials = true;
    xhttp.setRequestHeader("Authorization", "Basic " + btoa("NAME:PASS"));

    //DIFF
    xhttp.setRequestHeader("Content-Type", "application/zip");
    //DIFF

    xhttp.onreadystatechange = function () {
        if (xhttp.readyState === 4 && xhttp.status === 200) {
            if (cb) {
                cb(JSON.parse(xhttp.response));
            }
        }
    };
    xhttp.send(content);//DIFF
}

但后来我不知道如何添加元数据。 另一种方式是:

function generalPostRequest(content, url, cb) {
    var xhttp = new XMLHttpRequest();
    xhttp.open("POST", url, true);
    xhttp.withCredentials = true;
    xhttp.setRequestHeader("Authorization", "Basic " + btoa("NAME:PASS"));

    //DIFF
    xhttp.setRequestHeader("Content-Type", "application/json;charset=UTF-8");
    var params = JSON.stringify(content);
    //DIFF

    xhttp.onreadystatechange = function () {
        if (xhttp.readyState === 4 && xhttp.status === 200) {
            if (cb) {
                cb(JSON.parse(xhttp.response));
            }
        }
    };
    xhttp.send(params);//DIFF
}

但是如果我将zip添加到数组中,JSON.stringify函数将删除zip文件。我可能必须将其转换为字节数组。

如何向解决方案1添加元数据或如何将zip转换为解决方案2中的字节数组?

1 个答案:

答案 0 :(得分:1)

我实际上没有对此进行过测试,因为我不知道究竟是什么类型的值content,所以很难构建一个合适的测试用例

您正尝试在一个请求中发送JSON文件和Zip文件。这样做的方法是使用多部分请求。

XMLHttpRequest可以从FormData对象构建多部分请求。

您只需创建一个并为其提供正确的数据。

var zip_data = get_zip_data();
var json_data = get_json_data();

var zip_file = new File(zip_data, "example.zip", { type: "application/zip" });
var json_file = new File(json_data, "example.json", { type: "application/json" });

var form_data = new FormData();
form_data.append("zip", zip_file, "example.zip");
form_data.append("json", json_file, "example.json");

var xhttp = new XMLHttpRequest();
xhttp.open("POST", url);
xhttp.withCredentials = true;
xhttp.setRequestHeader("Authorization", "Basic " + btoa("NAME:PASS"));
xhttp.addEventListener("load", load_handler);
xhttp.send(form_data);

function load_handler() {
    if (cb) {
        cb(JSON.parse(xhttp.response));
    }
}

请注意,您不得设置Content-Type标头。 XHR将自动从FormData对象生成它(并且它必须执行此操作,因为它需要在文件之间生成边界标记)。

这会导致两个文件被发送到服务器,就像您以常规形式使用<input type="file">选择它们一样。相应地编写服务器端代码(例如,如果您使用的是PHP或类似multer,请使用$_FILES。)