小编典典

Java 如何列出JAR文件中的文件?

java

我有这段代码,它从目录中读取所有文件。

    File textFolder = new File("text_directory");

    File [] texFiles = textFolder.listFiles( new FileFilter() {
           public boolean accept( File file ) {
               return file.getName().endsWith(".txt");
           }
    });

效果很好。它使用目录“ text_directory”中所有以“ .txt”结尾的文件填充数组。

如何在 JAR文件中以类似方式读取目录的内容?

因此,我真正想要做的是列出我的JAR文件中的所有图像,这样我就可以加载它们:

ImageIO.read(this.getClass().getResource("CompanyLogo.png"));

(之所以有效,是因为“ CompanyLogo”是“硬编码的”,但是JAR文件中的图像数量可以是10到200个可变长度。)

编辑

所以我想我的主要问题是:如何知道我的主类所在的JAR文件的名称?

当然可以使用阅读java.util.Zip

我的结构是这样的:

他们就像:

my.jar!/Main.class
my.jar!/Aux.class
my.jar!/Other.class
my.jar!/images/image01.png
my.jar!/images/image02a.png
my.jar!/images/imwge034.png
my.jar!/images/imagAe01q.png
my.jar!/META-INF/manifest 

现在,我可以使用以下示例加载“ images / image01.png”

    ImageIO.read(this.getClass().getResource("images/image01.png));

但是仅由于我知道文件名,其余的我必须动态加载它们。


阅读 724

收藏
2020-02-26

共1个答案

小编典典

CodeSource src = MyClass.class.getProtectionDomain().getCodeSource();
if (src != null) {
  URL jar = src.getLocation();
  ZipInputStream zip = new ZipInputStream(jar.openStream());
  while(true) {
    ZipEntry e = zip.getNextEntry();
    if (e == null)
      break;
    String name = e.getName();
    if (name.startsWith("path/to/your/dir/")) {
      /* Do something with this entry. */
      ...
    }
  }
} 
else {
  /* Fail... */
}

请注意,在Java 7中,你可以FileSystem从JAR(zip)文件创建一个,然后使用NIO的目录遍历和过滤机制在其中进行搜索。这将使编写处理JAR和“爆炸”目录的代码更加容易。

2020-02-26