java 将inputStream 下载下来
时间: 2024-12-02 17:28:59 浏览: 14
在Java中,如果你想将InputStream下载到本地文件系统,通常的做法是先读取InputStream的内容,然后将其写入到文件中。以下是一个简单的示例:
```java
import java.io.*;
public class DownloadFromInputStream {
public static void main(String[] args) throws IOException {
// 假设你有一个URL并获取了对应的InputStream
URL url = new URL("http://example.com/file.txt");
HttpURLConnection connection = (HttpURLConnection) url.openConnection();
connection.connect(); // 获取连接
// 创建FileOutputStream用于写入文件
FileOutputStream outputStream = new FileOutputStream("path/to/downloaded/file.txt");
// 读取InputStream内容并写入文件
byte[] buffer = new byte[4096];
int bytesRead;
while ((bytesRead = connection.getInputStream().read(buffer)) != -1) {
outputStream.write(buffer, 0, bytesRead);
}
// 关闭流
outputStream.close();
connection.disconnect();
}
}
```
这个示例中,我们首先创建一个`HttpURLConnection`来处理网络请求,然后从该连接的输入流(`connection.getInputStream()`)读取数据,并通过`FileOutputStream`将其写入指定路径的本地文件。
阅读全文