java下载文件到本地
时间: 2023-10-23 18:41:29 浏览: 75
你可以使用Java中的URLConnection和InputStream来下载文件。下面是一个简单的示例代码:
```java
import java.io.BufferedInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.net.URL;
import java.net.URLConnection;
public class FileDownloader {
public static void main(String[] args) throws IOException {
String fileUrl = "https://example.com/file.pdf"; // 要下载的文件的URL
String saveDir = "C:/Downloads/"; // 要保存到的本地目录
downloadFile(fileUrl, saveDir);
}
public static void downloadFile(String fileUrl, String saveDir) throws IOException {
URL url = new URL(fileUrl);
URLConnection conn = url.openConnection();
InputStream in = new BufferedInputStream(conn.getInputStream());
String fileName = fileUrl.substring(fileUrl.lastIndexOf("/") + 1);
String saveFilePath = saveDir + fileName;
FileOutputStream out = new FileOutputStream(saveFilePath);
byte[] buffer = new byte[1024];
int numRead;
while ((numRead = in.read(buffer)) != -1) {
out.write(buffer, 0, numRead);
}
if (in != null) {
in.close();
}
if (out != null) {
out.close();
}
System.out.println("下载完成!文件保存在:" + saveFilePath);
}
}
```
在上面的示例代码中,我们首先将要下载的文件的URL和要保存到的本地目录定义为字符串。然后,我们调用downloadFile方法来下载文件。该方法打开URL连接并获取输入流,然后从输入流读取数据并写入输出流,最后关闭输入和输出流并输出下载完成的消息。请注意,我们在保存文件时使用了从文件URL中提取的文件名。
阅读全文