如何使用 Java 中的 REST API 而 returns 是一个 zip 文件?

How do I work with a REST API in Java that returns a zip file?

我熟悉在 Java 中使用 HttpURLConnection class 发出 GET 请求的基础知识。在 return 类型为 JSON 的正常情况下,我会这样做:

    URL obj = new URL(myURLString);
    HttpURLConnection con = (HttpURLConnection) obj.openConnection();
    con.setRequestMethod("GET");
    int responseCode = con.getResponseCode();
    if (responseCode == HttpURLConnection.HTTP_OK) {
        BufferedReader in = new BufferedReader(new InputStreamReader(con.getInputStream()));
        String inpLine;
        StringBuffer resp = new StringBuffer();

        while ((inpLine = in.readLine()) != null) {
            resp.append(inputLine);
        }
        in.close();
        System.out.println(resp.toString());                          
    } else { System.out.println("Request failed");

但是,我尝试使用的当前端点发回了一个包含各种类型文件的 zip 文件。在那种情况下 'Content-Type' 将是 'application/octet-stream'。用上面的代码点击那个端点会导致一堆符号(不知道它叫什么)写入控制台。即使在 Postman 中,我也看到了同样的情况,并且只有当我在发出请求时使用 'Send & Download' 选项时它才有效,这会提示我保存响应并获得 zip 文件。

关于如何点击 API 并通过 Java 下载 returned zip 文件的任何帮助?提前谢谢你。

编辑:我打算对 zip 文件做的是将其保存在本地,然后我的程序的其他部分将使用这些内容。

我猜你可以试试这个 API:

try (ZipInputStream zis = new ZipInputStream(con.getInputStream())) {
        
    ZipEntry entry; // kinda self-explained (a file inside zip)

    while ((entry = zis.getNextEntry()) != null) {
         // do whatever you need :)
         // this is just a dummy stuff
        System.out.format("File: %s Size: %d Last Modified %s %n",
                    entry.getName(), entry.getSize(),
                    LocalDate.ofEpochDay(entry.getTime() / MILLS_IN_DAY));
    }
}

无论如何,你都会得到一个流,所以你可以做所有 java IO API 允许你做的事情。

例如,要保存文件,您可以执行以下操作:

// I am skipping here exception handling, closing stream, etc.
byte[] zipContent = zis.readAllBytes();
new FileOutputStream("some.zip").write(zipContent);

要对 zip 中的文件执行某些操作,您可以执行以下操作:

 // again, skipping exceptions, closing, etc.
 // also, you'd probably do this in while loop as in the first example
 // so let's say we get ZipEntry 
 ZipEntry entry = zis.getNextEntry();
 
 // crate OutputStream to extract the entry from zip file
 final OutputStream os = new FileOutputStream("c:/someDir/" + entry.getName());
 
 
 byte[] buffer = new byte[1024];
 int length;
 
 //read the entry from zip file and extract it to disk
 while( (length = zis.read(buffer)) > 0) {
     os.write(buffer, 0, length);
 }

 // at this point you should get your file

我知道,这有点低级 API,您需要处理流、字节等,也许有些库允许使用一行代码或其他东西来完成此操作: )