0

这是代码

byte data[] = new byte[1024];
                fout = new FileOutputStream(fileLocation);

                ByteBuffer bb = ByteBuffer.allocate(i+i); // i is size of download
              ReadableByteChannel rbc = Channels.newChannel(url.openStream());
             while(  (dat = rbc.read(bb)) != -1 )

             {

                 bb.get(data);

                    fout.write(data, 0, 1024); // write the data to the file

                 speed.setText(String.valueOf(dat));

             }

在这段代码中,我尝试从给定的 URL 下载文件,但文件并没有完全完成。

我不知道发生了什么错误,是 ReadableByteChannel 的错吗?或者我没有正确地将 ByteBuffer 中的字节放入 Byte[] 中。

4

1 回答 1

2

当您读入 aByteBuffer时,缓冲区的偏移量会发生变化。这意味着,阅读后,您需要倒带ByteBuffer

while ((dat = rbc.read(bb)) != -1) {
    fout.write(bb.array(), 0, bb.position());
    bb.rewind(); // prepare the byte buffer for another read
}

但是在您的情况下,您实际上并不需要 a ByteBuffer,只需使用普通字节数组就足够了——而且它更短:

final InputStream in = url.openStream();
final byte[] buf = new byte[16384];
while ((dat = in.read(buf)) != -1)
    fout.write(buf, 0, dat);

请注意,在 Java 1.7 中,您可以使用它:

Files.copy(url.openStream(), Paths.get(fileLocation));
于 2013-07-22T05:31:30.547 回答