1

首先,如果我的英语不好,请原谅我。我在使用 ajax 将数据发送到我的 ExportServlet 时遇到了一些问题。

ExportServlet.java

public class ExportServlet extends HttpServlet {
private static final long serialVersionUID = 6715605810229670146L;

protected void doGet(HttpServletRequest req, HttpServletResponse res) throws ServletException, IOException {
    String fileName = req.getParameter("filename");

    //Create ZIP file
    try {
        res.setContentType("applicatin/zip");
        res.setStatus(HttpServletResponse.SC_OK);

        ZipOutputStream zos = new ZipOutputStream(res.getOutputStream());

        //Create TXT file
        zos.putNextEntry(new ZipEntry(fileName + ".txt"));
        zos.write(getOutputData());
        zos.closeEntry();

        zos.close();
    } catch (IOException e) {
        e.printStackTrace();
    }
}

private byte[] getOutputData() {
    byte[] result = null;
    String tmp = "Text file content";
    result = tmp.getBytes();
    return result;
}
}

上面的 java 代码绝对完美。

然后我有我的 ajax 代码将数据发送到我的 ExportServlet(我以文件名为例):

//Post data to ExportServlet
        $.ajax({
            type: 'post',
            url: '/export.zip',
            data: "filename = myFile",
            success:function(data){alert(data);},
            error:function(){alert('error');}
        });

问题是,当触发 ajax 函数时,我得到一个错误回调。我还有一个链接可以下载 ExportServlet 生成的 ZIP 文件:

<a href="/export.zip">Download file</a>

事实上,当我单击链接时,我会得到带有“null.txt”的 ZIP 文件。我怎样才能解决这个问题?

提前非常感谢!

4

2 回答 2

1

尝试这个:

<a href="javascript:;" onclick="downloadFile();">Download file</a>
<div style="display: none;">
   <iframe id="downloadFileFrame"></iframe>
</div>


function downloadFile() {
    $('#downloadFileFrame').attr('src','/export.zip?filename=myFile');
    return false;
}
于 2013-10-13T20:05:32.183 回答
0

当您单击链接时,将不会调用 ajax 代码,因此文件名参数不会包含在对 servlet 的请求中。servlet 将以 filename = null 执行。这就是你得到的实际结果。

要解决这个问题,我认为您必须在第一次加载页面时调用 ajax 代码,以便您的 servlet 可以创建一个文件并将其放置在服务器上。然后您必须在链接中传递文件名参数,例如:

<a href="http://yourdomain.com/downloadFile?filename=myFile">Download file</a>

downloadFile servlet 将查找名为 myFile.txt 的文件,该文件是在您的页面第一次加载调用 ajax 时创建的,并为您提供该文件作为响应。

于 2013-10-13T13:44:03.093 回答