在Java中,您可以使用java.net.URL
和java.io
包中的類來下載文件
import java.io.BufferedInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.net.URL;
public class FileDownload {
public static void main(String[] args) {
String fileURL = "https://example.com/file-to-download.txt"; // 文件下載鏈接
String savePath = "downloaded-file.txt"; // 保存到本地的文件名
try {
downloadFile(fileURL, savePath);
} catch (IOException e) {
System.out.println("Error downloading the file: " + e.getMessage());
}
}
private static void downloadFile(String fileURL, String savePath) throws IOException {
URL url = new URL(fileURL);
BufferedInputStream in = new BufferedInputStream(url.openStream());
FileOutputStream fos = new FileOutputStream(savePath);
byte[] dataBuffer = new byte[1024];
int bytesRead;
while ((bytesRead = in.read(dataBuffer, 0, 1024)) != -1) {
fos.write(dataBuffer, 0, bytesRead);
}
// 關閉流
fos.close();
in.close();
System.out.println("File downloaded successfully!");
}
}
這個示例代碼定義了一個downloadFile
方法,該方法接受文件的URL和要將其保存到本地的路徑。然后,它使用BufferedInputStream
從URL讀取數據并將其寫入FileOutputStream
。最后,關閉兩個流以釋放資源。
請注意,此示例不處理HTTP錯誤,如重定向或404錯誤。為了處理這些情況,您需要使用更高級的HTTP客戶端庫,如Apache HttpClient或OkHttp。