将二进制流转为byte[]
时间: 2023-10-25 10:09:02 浏览: 87
要将二进制流(即字节流)转换为byte数组,可以使用以下代码:
```java
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.InputStream;
public class StreamUtils {
public static byte[] convertStreamToByteArray(InputStream inputStream) throws IOException {
ByteArrayOutputStream outputStream = new ByteArrayOutputStream();
byte[] buffer = new byte[4096];
int bytesRead;
while ((bytesRead = inputStream.read(buffer)) != -1) {
outputStream.write(buffer, 0, bytesRead);
}
return outputStream.toByteArray();
}
}
```
使用上述代码,你可以将一个输入流(二进制流)转换为byte数组。你可以通过传递一个输入流给`convertStreamToByteArray`方法,它将返回对应的byte数组。
以下是一个使用示例:
```java
import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.util.Arrays;
public class Main {
public static void main(String[] args) {
try (InputStream binaryStream = new FileInputStream("path/to/file.bin")) {
byte[] byteArray = StreamUtils.convertStreamToByteArray(binaryStream);
System.out.println(Arrays.toString(byteArray));
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
确保替换`"path/to/file.bin"`为你实际的二进制文件路径。运行上述代码将会打印出转换后的byte数组。
阅读全文