2

我正在尝试从当前运行的 jar 中提取 2 个 jar 文件,但是即使它们的大小为 104kb 和 1.7m,它们也总是以 2kb 结束,这就是我所拥有的

public static boolean extractFromJar(String fileName, String dest) {
    if (Configuration.getRunningJarPath() == null) {
        return false;
    }
    File file = new File(dest + fileName);
    if (file.exists()) {
        return false;
    }

    if (file.isDirectory()) {
        file.mkdir();
        return false;
    }
    try {
        JarFile jar = new JarFile(Configuration.getRunningJarPath());
        Enumeration<JarEntry> e = jar.entries();
        while (e.hasMoreElements()) {
            JarEntry je = e.nextElement();
            InputStream in = new BufferedInputStream(jar.getInputStream(je));
            OutputStream out = new BufferedOutputStream(
                    new FileOutputStream(file));
            copyInputStream(in, out);
        }
        return true;
    } catch (Exception e) {
        Methods.debug(e);
        return false;
    }
}

private final static void copyInputStream(InputStream in, OutputStream out)
        throws IOException {
    while (in.available() > 0) {
        out.write(in.read());
    }
    out.flush();
    out.close();
    in.close();
}
4

3 回答 3

2

这应该比依赖 InputStream.available() 方法更好:

private final static void copyInputStream(InputStream in, OutputStream out)
        throws IOException {
    byte[] buff = new byte[4096];
    int n;
    while ((n = in.read(buff)) > 0) {
        out.write(buff, 0, n);
    }
    out.flush();
    out.close();
    in.close();
}
于 2012-05-07T19:36:25.560 回答
1

available()根据其文档,该方法读取数据并不可靠,因为它只是一个估计值。
您需要依赖read()方法,直到读取非-ve。

byte[] contentBytes = new byte[ 4096 ];  
int bytesRead = -1;
while ( ( bytesRead = inputStream.read( contentBytes ) ) > 0 )   
{   
    out.write( contentBytes, 0, bytesRead );  
} // while available

available()您可以在此处讨论问题所在。

于 2012-05-07T20:05:34.803 回答
0

我不确定提取jar,但每个jar实际上都是一个zip文件,所以你可以尝试解压缩它。

您可以在此处了解有关在 Java 中解压缩的信息: 如何在 Java 中递归地解压缩文件?

于 2012-05-07T19:33:29.807 回答