6

我需要一个非常简单的函数,它允许我通过 FTP 读取文件的前 1k 字节。我想在 MATLAB 中使用它来读取第一行,并根据一些参数,只下载我最终真正需要的文件。我在网上找到了一些不幸的是不起作用的例子。在这里,我提出了我试图下载一个文件的示例代码(我正在使用 Apache 库)。

FTPClient client = new FTPClient();
    FileOutputStream fos = null;

    try {
        client.connect("data.site.org");

        // filename to be downloaded. 
        String filename = "filename.Z";
        fos = new FileOutputStream(filename);

        // Download file from FTP server
        InputStream stream = client.retrieveFileStream("/pub/obs/2008/021/ab120210.08d.Z");
        byte[] b = new byte[1024];
        stream.read(b);
        fos.write(b);

    } catch (IOException e) {
        e.printStackTrace();
    } finally {
        try {
            if (fos != null) {
                fos.close();
            }
            client.disconnect();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

错误在返回空的流中。我知道我以错误的方式传递文件夹名称,但我不明白我该怎么做。我已经尝试了很多方式。

我还尝试过使用 URL 的 Java 类:

    URL url;

    url = new URL("ftp://data.site.org/pub/obs/2008/021/ab120210.08d.Z");

    URLConnection con = url.openConnection();
    BufferedInputStream in =
            new BufferedInputStream(con.getInputStream());
    FileOutputStream out =
            new FileOutputStream("C:\\filename.Z");

    int i;
    byte[] bytesIn = new byte[1024];
    if ((i = in.read(bytesIn)) >= 0) {
        out.write(bytesIn);
    }
    out.close();
    in.close();

但是当我关闭 InputStream 时它会出错!

我肯定被困住了。一些关于将非常有用的评论!

4

3 回答 3

1

试试这个测试

    InputStream is = new URL("ftp://test:test@ftp.secureftp-test.com/bookstore.xml").openStream();
    byte[] a = new byte[1000];
    int n = is.read(a);
    is.close();
    System.out.println(new String(a, 0, n));

它绝对有效

于 2013-04-14T14:27:41.197 回答
0

根据我的经验,当您从从 获取的流中读取字节时ftpClient.retrieveFileStream,对于第一次运行,不能保证您的字节缓冲区已填满。stream.read(b);但是,您应该读取基于它的循环包围的返回值,或者使用高级库来填充 1024 长度的 byte[] 缓冲区:

InputStream stream = null;
try {
    // Download file from FTP server
    stream = client.retrieveFileStream("/pub/obs/2008/021/ab120210.08d.Z");
    byte[] b = new byte[1024];
    IOUtils.read(stream, b); // will call periodically stream.read() until it fills up your buffer or reaches end-of-file
    fos.write(b);

} catch (IOException e) {
    e.printStackTrace();
} finally {
    IOUtils.closeQuietly(inputStream);
}
于 2014-03-14T14:05:08.250 回答
-1

我不明白为什么它不起作用。我找到了这个链接,他们每次使用 Apache 库读取 4096 个字节。我读取了前 1024 个字节,它最终可以工作,唯一的问题是,如果使用了 completePendingCommand(),则程序将永远保留。因此,我已将其删除,并且一切正常。

于 2013-04-16T10:03:12.577 回答