我正在尝试下载主机提供的一些图片。这是我使用的方法:
public static void downloadImage(String imageLink, File f) throws IOException
{
URL url = new URL(imageLink);
byte[] buffer = new byte[1024];
BufferedInputStream in = new BufferedInputStream(url.openStream(), buffer.length);
BufferedOutputStream out = new BufferedOutputStream(new FileOutputStream(f), buffer.length);
while (in.read(buffer) > 0)
out.write(buffer);
out.flush();
out.close();
in.close();
}
然而,该文件太大了。在我看来,对于80x60 jpg,5MB是太多了。
这可能是什么原因?
答案 0 :(得分:1)
你在这里做错了:read()返回真正读取的字节数;因此,您必须将缓冲区数组中的该数字写入输出流。
您的代码正在破坏您的输出;并简单地写出一个缓冲数组......主要由0组成!
取而代之的是:
int bytesRead;
while ( ( bytesRead = in.read(buffer)) > 0) {
byte outBuffer[] = new byte[bytesRead];
... then use arraycopy to move bytesRead bytes
out.write(outBuffer);
}
(这意味着让你前进的灵感,比实际代码更像伪)