java根据url下载服务器文件
时间: 2024-12-12 13:16:06 浏览: 5
在Java中,你可以使用`java.net.URL`类以及`java.io.InputStream`、`java.io.FileOutputStream`等流来从URL下载服务器上的文件。以下是一个简单的示例:
```java
import java.io.*;
import java.net.*;
public class DownloadFile {
public static void main(String[] args) {
String urlString = "http://example.com/file.zip"; // 替换为你需要下载的文件URL
try {
URL url = new URL(urlString);
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
// 设置请求属性,如允许读取二进制数据
connection.setRequestMethod("GET");
connection.setDoOutput(true); // 指定可以写入输出流
int responseCode = connection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {
// 获取输入流并创建输出流到本地文件
InputStream inputStream = connection.getInputStream();
File outputFile = new File("file.zip"); // 替换为你的本地保存路径
FileOutputStream outputStream = new FileOutputStream(outputFile);
byte[] buffer = new byte[4096];
int bytesRead;
while ((bytesRead = inputStream.read(buffer)) != -1) {
outputStream.write(buffer, 0, bytesRead);
}
// 关闭流
inputStream.close();
outputStream.close();
System.out.println("Download complete: " + outputFile.getAbsolutePath());
} else {
System.err.println("Error downloading file. Response code: " + responseCode);
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
在这个例子中,你需要替换`urlString`为你实际的URL,并指定你想要将下载的文件保存在本地的位置。
阅读全文