BufferedImage 下载文件接口
时间: 2023-08-25 21:32:01 浏览: 109
BufferedImage 是 Java 中用于表示图像的类,它并不适合用来下载文件。如果您需要下载文件,可以使用 Java 的标准库中的 java.net.URL 和 java.net.HttpURLConnection 类,或者使用第三方库如 Apache HttpClient。
以下是使用 HttpURLConnection 下载文件的示例代码:
```java
import java.io.BufferedInputStream;
import java.io.FileOutputStream;
import java.io.InputStream;
import java.net.HttpURLConnection;
import java.net.URL;
public class FileDownloader {
public static void main(String[] args) {
String fileUrl = "http://example.com/file.zip";
String savePath = "/path/to/save/file.zip";
try {
URL url = new URL(fileUrl);
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("GET");
InputStream inputStream = conn.getInputStream();
BufferedInputStream bufferedInputStream = new BufferedInputStream(inputStream);
FileOutputStream fileOutputStream = new FileOutputStream(savePath);
byte[] buffer = new byte[1024];
int bytesRead = 0;
while ((bytesRead = bufferedInputStream.read(buffer)) != -1) {
fileOutputStream.write(buffer, 0, bytesRead);
}
fileOutputStream.close();
bufferedInputStream.close();
conn.disconnect();
System.out.println("File downloaded successfully.");
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
您可以根据自己的需求修改 fileUrl 和 savePath 变量的值。代码中的注释可以帮助您理解每个步骤的作用。
阅读全文