Not sure about how I am supposed to do this. Any help would be appreciated
4 Answers
Read from input stream and write to a ByteArrayOutputStream, then call its toByteArray() to obtain the byte array.
Create a ByteArrayInputStream around the byte array to read from it.
Here's a quick test:
import java.io.*;
public class Test {
public static void main(String[] arg) throws Throwable {
File f = new File(arg[0]);
InputStream in = new FileInputStream(f);
byte[] buff = new byte[8000];
int bytesRead = 0;
ByteArrayOutputStream bao = new ByteArrayOutputStream();
while((bytesRead = in.read(buff)) != -1) {
bao.write(buff, 0, bytesRead);
}
byte[] data = bao.toByteArray();
ByteArrayInputStream bin = new ByteArrayInputStream(data);
System.out.println(bin.available());
}
}
2 Comments
user398371
I was almost there! Thanks for the example tho. A true master of IO!
F.O.O
large buffer size though
You can use org.apache.commons.io.IOUtils#toByteArray(java.io.InputStream)
InputStream is = getMyInputStream();
ByteArrayInputStream bais = new ByteArrayInputStream(IOUtils.toByteArray(is));
3 Comments
mathiasfk
why
IOUtils.toByteArray(is) instead of is.readAllBytes() ?Jaroslav
@mathiasfk no specific reason, just force of habit (never tried the other)
Jaroslav
EDIT: because it is available only since Java 9, and I was using 7 / 8 (tutorialspoint.com/… )
Or first convert it to a byte array, then to a bytearrayinputstream.
File f = new File(arg[0]);
InputStream in = new FileInputStream(f);
// convert the inpustream to a byte array
byte[] buf = null;
try {
buf = new byte[in.available()];
while (in.read(buf) != -1) {
}
} catch (Exception e) {
System.out.println("Got exception while is -> bytearr conversion: " + e);
}
// now convert it to a bytearrayinputstream
ByteArrayInputStream bin = new ByteArrayInputStream(buf);
javax.imageioclasses?