0

我正在尝试从公共匿名 ftp 读取文件,但遇到了问题。我可以很好地读取纯文本文件,但是当我尝试读取 gzip 文件时,我得到了这个异常:

Exception in thread "main" java.util.zip.ZipException: invalid distance too far back

at java.util.zip.InflaterInputStream.read(InflaterInputStream.java:164)
at java.util.zip.GZIPInputStream.read(GZIPInputStream.java:116)
at java.io.FilterInputStream.read(FilterInputStream.java:107)
at java_io_FilterInputStream$read.call(Unknown Source)
at GenBankFilePoc.main(GenBankFilePoc.groovy:36)
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:601)
at com.intellij.rt.execution.application.AppMain.main(AppMain.java:120)

我尝试下载文件并使用FileInputStream包装在 a 中GZIPInputStream并遇到完全相同的问题,所以我认为这不是 FTP 客户端(即 apache)的问题。

这是一些重现问题的测试代码。它只是试图打印到标准输出:

    FTPClient ftp = new FTPClient();
    ftp.connect("ftp.ncbi.nih.gov");
    ftp.login("anonymous", "");
    InputStream is = new GZIPInputStream(ftp.retrieveFileStream("/genbank/gbbct1.seq.gz"));

    try {
        byte[] buffer = new byte[65536];
        int noRead;

        while ((noRead = is.read(buffer)) != 1) {
            System.out.write(buffer, 0, noRead);
        }
    } finally {
        is.close();
        ftp.disconnect();
    }

我找不到任何关于为什么会发生这种情况的文档,并且通过调试器中的代码跟踪它并没有让我到任何地方。我觉得我错过了一些明显的东西。

编辑:我手动下载了文件并使用 GZIPInputStream 将其读入,并且能够很好地打印出来。我已经用 2 个不同的 Java FTP 客户端尝试过这个

4

2 回答 2

2

啊,我发现出了什么问题。您必须将文件类型设置为 FTP.BINARY_FILE_TYPE 以便SocketInputStream返回的 fromretrieveFileStream不被缓冲。

以下代码有效:

    FTPClient ftp = new FTPClient();
    ftp.connect("ftp.ncbi.nih.gov");
    ftp.login("anonymous", "");
    ftp.setFileType(FTP.BINARY_FILE_TYPE);
    InputStream is = new GZIPInputStream(ftp.retrieveFileStream("/genbank/gbbct1.seq.gz"));

    try {
        byte[] buffer = new byte[65536];
        int noRead;

        while ((noRead = is.read(buffer)) != 1) {
            System.out.write(buffer, 0, noRead);
        }
    } finally {
        is.close();
        ftp.disconnect();
    }
}
于 2013-05-28T02:52:32.080 回答
1

您需要先完全下载文件,因为ftp.retrieveFileStream()不支持文件搜索。

您的代码应该是:

FTPClient ftp = new FTPClient();
ftp.connect("ftp.ncbi.nih.gov");
ftp.login("anonymous", "");
File downloaded = new File("");
FileOutputStream fos = new FileOutputStream(downloaded);
ftp.retrieveFile("/genbank/gbbct1.seq.gz", fos);
InputStream is = new GZIPInputStream(new FileInputStream(downloaded));

try {
    byte[] buffer = new byte[65536];
    int noRead;

    while ((noRead = is.read(buffer)) != 1) {
        System.out.write(buffer, 0, noRead);
    }
} finally {
    is.close();
    ftp.disconnect();
}
于 2013-05-28T00:52:50.193 回答