0

我正在尝试压缩文件夹的内容。这意味着当我解压缩 zip 时,我不想获取文件夹,而是获取文件夹的内容。内容是各种文件和子文件夹

问题:但是,当我这样做时,创建的 zip 不会显示我的文件,它只显示文件夹。当我使用不同的解压缩实用程序时,我可以看到文件在那里。感觉就像应用了某种安全设置,或者它们被隐藏了。我需要能够看到这些文件,因为它会导致我的其他程序出现问题。

结构应该是这样的

  • 压缩
    • 我的.html
    • 我的.css
    • 其他文件夹

不喜欢这样

  • 压缩
    • 我的文件夹
      • 我的.html
      • 我的.css
      • 其他文件夹

这是我正在使用的代码

//create flat zip
  FileOutputStream fileWriter = new FileOutputStream(myfolder +".zip");
  ZipOutputStream zip = new ZipOutputStream(fileWriter);
  File folder = new File(myfolder);
   for (String fileName: folder.list()) {
        FileUtil.addFileToZip("", myfolder + "/" + fileName, zip);
    }
   zip.flush();
   zip.close();
 //end create zip

这是我的 FileUtil 中的代码

  public static void addFileToZip(String path, String srcFile,ZipOutputStream zip) throws IOException {
        File folder = new File(srcFile);
        if (folder.isDirectory()) {
          addFolderToZip(path, srcFile, zip);
        }
        else {
          byte[] buf = new byte[1024];
          int len;
          FileInputStream in = new FileInputStream(srcFile);
          zip.putNextEntry(new ZipEntry(path + "/" + folder.getName()));
          while ((len = in.read(buf)) > 0) {
            zip.write(buf, 0, len);
          }
          zip.closeEntry();
          zip.flush();
          in.close();
          //zip.close(); 
        }
   }

  public static void addFolderToZip(String path, String srcFolder, ZipOutputStream zip) throws IOException {
        File folder = new File(srcFolder);
        //System.out.println("Source folder is "+srcFolder+" into file "+folder);
        for (String fileName: folder.list()) {
          if (path.equals("")) {
            addFileToZip(folder.getName(), srcFolder + "/" + fileName, zip);
          }
          else {
          //System.out.println("zipping "+path + "/" + folder.getName()+" and file "+srcFolder + "/" + fileName);
            addFileToZip(path + "/" + folder.getName(), srcFolder + "/" + fileName,  zip);
          }
        }
      }

感谢您提前提供的任何帮助,我觉得这只是我可能在这里遗漏的一件小事。

4

1 回答 1

3

addFileToZip方法中,你有

zip.putNextEntry(new ZipEntry(path + "/" + folder.getName()));

当为空白时,您将获得一个"/"附加的。这可能是你的问题?folder.getName()path

尝试

if (path.equals("")) {
    zip.putNextEntry(new ZipEntry(folder.getName()));
}
else {
    zip.putNextEntry(new ZipEntry(path + "/" + folder.getName()));
}
于 2013-02-21T19:13:01.783 回答