在Java中處理下載中斷的情況,通常涉及到以下幾個方面:
以下是一個簡單的Java示例,演示了如何處理下載中斷的情況(包括斷點續(xù)傳和重試機(jī)制):
import java.io.*;
import java.net.*;
public class DownloadManager {
private static final int MAX_RETRIES = 3;
private static final int RETRY_INTERVAL = 5000; // 5 seconds
public void downloadFile(String url, String savePath) throws IOException {
int retries = 0;
boolean downloaded = false;
while (!downloaded && retries < MAX_RETRIES) {
try (InputStream in = new URL(url).openStream();
OutputStream out = new FileOutputStream(savePath, true)) {
byte[] buffer = new byte[4096];
int bytesRead;
while ((bytesRead = in.read(buffer)) != -1) {
out.write(buffer, 0, bytesRead);
}
downloaded = true; // File downloaded successfully
} catch (IOException e) {
retries++;
if (retries < MAX_RETRIES) {
System.out.println("Download failed, retrying in " + RETRY_INTERVAL + " ms...");
try {
Thread.sleep(RETRY_INTERVAL);
} catch (InterruptedException ie) {
Thread.currentThread().interrupt();
}
} else {
System.out.println("Download failed after " + MAX_RETRIES + " retries.");
throw e; // Rethrow the exception to be handled by the caller
}
}
}
}
public static void main(String[] args) {
DownloadManager dm = new DownloadManager();
try {
dm.downloadFile("https://example.com/file.zip", "file.zip");
} catch (IOException e) {
e.printStackTrace();
}
}
}
在這個示例中,downloadFile
方法使用了一個簡單的重試機(jī)制,在下載失敗時自動重試。它還支持?jǐn)帱c續(xù)傳,因為FileOutputStream
的第二個參數(shù)設(shè)置為true
,這意味著它會在文件末尾追加數(shù)據(jù),而不是覆蓋現(xiàn)有數(shù)據(jù)。請注意,這個示例僅用于演示目的,實際應(yīng)用中可能需要更復(fù)雜的邏輯來處理各種邊緣情況。