동일한 입력 스트림을 어떻게 두 번 읽습니까? 어떻게 든 복사 할 수 있습니까?
웹에서 이미지를 가져 와서 로컬에 저장 한 다음 저장된 이미지를 반환해야합니다. 다운로드 한 콘텐츠에 대해 새 스트림을 시작한 다음 다시 읽는 대신 동일한 스트림을 사용하는 것이 더 빠를 것입니다.
답변
를 사용 org.apache.commons.io.IOUtils.copy
하여 InputStream의 내용을 바이트 배열로 복사 한 다음 ByteArrayInputStream을 사용하여 바이트 배열에서 반복적으로 읽을 수 있습니다. 예 :
ByteArrayOutputStream baos = new ByteArrayOutputStream();
org.apache.commons.io.IOUtils.copy(in, baos);
byte[] bytes = baos.toByteArray();
// either
while (needToReadAgain) {
ByteArrayInputStream bais = new ByteArrayInputStream(bytes);
yourReadMethodHere(bais);
}
// or
ByteArrayInputStream bais = new ByteArrayInputStream(bytes);
while (needToReadAgain) {
bais.reset();
yourReadMethodHere(bais);
}
답변
InputStream의 출처에 따라 재설정하지 못할 수도 있습니다. 을 사용하여 mark()
및 reset()
지원 되는지 확인할 수 있습니다 markSupported()
.
그렇다면 reset()
InputStream을 호출 하여 처음으로 돌아갈 수 있습니다. 그렇지 않은 경우 소스에서 InputStream을 다시 읽어야합니다.
답변
InputStream
마크를 사용 하여 지원하는 경우 mark()
inputStream 다음 reset()
그것을 할 수 있습니다 . 당신이 경우 InputStrem
표시를 지원하지 않습니다 당신은 클래스를 사용할 수 있습니다 java.io.BufferedInputStream
, 당신이 할 수 있도록 내부 스트림을 포함 BufferedInputStream
같이
InputStream bufferdInputStream = new BufferedInputStream(yourInputStream);
bufferdInputStream.mark(some_value);
//read your bufferdInputStream
bufferdInputStream.reset();
//read it again
답변
PushbackInputStream으로 입력 스트림을 래핑 할 수 있습니다. PushbackInputStream 은 이미 읽은 읽지 않은 ( ” write back “) 바이트를 허용하므로 다음과 같이 할 수 있습니다.
public class StreamTest {
public static void main(String[] args) throws IOException {
byte[] bytes = new byte[] { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
InputStream originalStream = new ByteArrayInputStream(bytes);
byte[] readBytes = getBytes(originalStream, 3);
printBytes(readBytes); // prints: 1 2 3
readBytes = getBytes(originalStream, 3);
printBytes(readBytes); // prints: 4 5 6
// now let's wrap it with PushBackInputStream
originalStream = new ByteArrayInputStream(bytes);
InputStream wrappedStream = new PushbackInputStream(originalStream, 10); // 10 means that maximnum 10 characters can be "written back" to the stream
readBytes = getBytes(wrappedStream, 3);
printBytes(readBytes); // prints 1 2 3
((PushbackInputStream) wrappedStream).unread(readBytes, 0, readBytes.length);
readBytes = getBytes(wrappedStream, 3);
printBytes(readBytes); // prints 1 2 3
}
private static byte[] getBytes(InputStream is, int howManyBytes) throws IOException {
System.out.print("Reading stream: ");
byte[] buf = new byte[howManyBytes];
int next = 0;
for (int i = 0; i < howManyBytes; i++) {
next = is.read();
if (next > 0) {
buf[i] = (byte) next;
}
}
return buf;
}
private static void printBytes(byte[] buffer) throws IOException {
System.out.print("Reading stream: ");
for (int i = 0; i < buffer.length; i++) {
System.out.print(buffer[i] + " ");
}
System.out.println();
}
}
PushbackInputStream은 내부 바이트 버퍼를 저장하므로 실제로 “다시 쓴”바이트를 보유하는 메모리에 버퍼를 생성합니다.
이 접근 방식을 알면 더 나아가 FilterInputStream과 결합 할 수 있습니다. FilterInputStream은 원본 입력 스트림을 델리게이트로 저장합니다. 이렇게하면 원본 데이터를 자동으로 ” 읽지 않은 ” 상태 로 만들 수있는 새 클래스 정의를 만들 수 있습니다 . 이 클래스의 정의는 다음과 같습니다.
public class TryReadInputStream extends FilterInputStream {
private final int maxPushbackBufferSize;
/**
* Creates a <code>FilterInputStream</code>
* by assigning the argument <code>in</code>
* to the field <code>this.in</code> so as
* to remember it for later use.
*
* @param in the underlying input stream, or <code>null</code> if
* this instance is to be created without an underlying stream.
*/
public TryReadInputStream(InputStream in, int maxPushbackBufferSize) {
super(new PushbackInputStream(in, maxPushbackBufferSize));
this.maxPushbackBufferSize = maxPushbackBufferSize;
}
/**
* Reads from input stream the <code>length</code> of bytes to given buffer. The read bytes are still avilable
* in the stream
*
* @param buffer the destination buffer to which read the data
* @param offset the start offset in the destination <code>buffer</code>
* @aram length how many bytes to read from the stream to buff. Length needs to be less than
* <code>maxPushbackBufferSize</code> or IOException will be thrown
*
* @return number of bytes read
* @throws java.io.IOException in case length is
*/
public int tryRead(byte[] buffer, int offset, int length) throws IOException {
validateMaxLength(length);
// NOTE: below reading byte by byte instead of "int bytesRead = is.read(firstBytes, 0, maxBytesOfResponseToLog);"
// because read() guarantees to read a byte
int bytesRead = 0;
int nextByte = 0;
for (int i = 0; (i < length) && (nextByte >= 0); i++) {
nextByte = read();
if (nextByte >= 0) {
buffer[offset + bytesRead++] = (byte) nextByte;
}
}
if (bytesRead > 0) {
((PushbackInputStream) in).unread(buffer, offset, bytesRead);
}
return bytesRead;
}
public byte[] tryRead(int maxBytesToRead) throws IOException {
validateMaxLength(maxBytesToRead);
ByteArrayOutputStream baos = new ByteArrayOutputStream(); // as ByteArrayOutputStream to dynamically allocate internal bytes array instead of allocating possibly large buffer (if maxBytesToRead is large)
// NOTE: below reading byte by byte instead of "int bytesRead = is.read(firstBytes, 0, maxBytesOfResponseToLog);"
// because read() guarantees to read a byte
int nextByte = 0;
for (int i = 0; (i < maxBytesToRead) && (nextByte >= 0); i++) {
nextByte = read();
if (nextByte >= 0) {
baos.write((byte) nextByte);
}
}
byte[] buffer = baos.toByteArray();
if (buffer.length > 0) {
((PushbackInputStream) in).unread(buffer, 0, buffer.length);
}
return buffer;
}
private void validateMaxLength(int length) throws IOException {
if (length > maxPushbackBufferSize) {
throw new IOException(
"Trying to read more bytes than maxBytesToRead. Max bytes: " + maxPushbackBufferSize + ". Trying to read: " +
length);
}
}
}
이 클래스에는 두 가지 메서드가 있습니다. 하나는 기존 버퍼로 읽기위한 것입니다 (정의는 public int read(byte b[], int off, int len)
InputStream 클래스 호출과 유사합니다 ). 두 번째는 새 버퍼를 반환합니다 (읽을 버퍼의 크기를 알 수없는 경우 더 효과적 일 수 있음).
이제 우리의 수업이 실행되는 것을 봅시다 :
public class StreamTest2 {
public static void main(String[] args) throws IOException {
byte[] bytes = new byte[] { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
InputStream originalStream = new ByteArrayInputStream(bytes);
byte[] readBytes = getBytes(originalStream, 3);
printBytes(readBytes); // prints: 1 2 3
readBytes = getBytes(originalStream, 3);
printBytes(readBytes); // prints: 4 5 6
// now let's use our TryReadInputStream
originalStream = new ByteArrayInputStream(bytes);
InputStream wrappedStream = new TryReadInputStream(originalStream, 10);
readBytes = ((TryReadInputStream) wrappedStream).tryRead(3); // NOTE: no manual call to "unread"(!) because TryReadInputStream handles this internally
printBytes(readBytes); // prints 1 2 3
readBytes = ((TryReadInputStream) wrappedStream).tryRead(3);
printBytes(readBytes); // prints 1 2 3
readBytes = ((TryReadInputStream) wrappedStream).tryRead(3);
printBytes(readBytes); // prints 1 2 3
// we can also call normal read which will actually read the bytes without "writing them back"
readBytes = getBytes(wrappedStream, 3);
printBytes(readBytes); // prints 1 2 3
readBytes = getBytes(wrappedStream, 3);
printBytes(readBytes); // prints 4 5 6
readBytes = ((TryReadInputStream) wrappedStream).tryRead(3); // now we can try read next bytes
printBytes(readBytes); // prints 7 8 9
readBytes = ((TryReadInputStream) wrappedStream).tryRead(3);
printBytes(readBytes); // prints 7 8 9
}
}
답변
의 구현을 사용하는 경우 / 메소드를 사용할 수 있는지 여부를 알려주 InputStream
는 결과를 InputStream#markSupported()
확인할 수 있습니다 .mark()
reset()
읽을 때 스트림을 표시 할 수 있으면 전화 reset()
를 걸어 다시 시작하십시오.
할 수 없다면 스트림을 다시 열어야합니다.
또 다른 해결책은 InputStream을 바이트 배열로 변환 한 다음 필요한만큼 배열을 반복하는 것입니다. 이 게시물 에서 타사 라이브러리를 사용하여 Java에서 InputStream을 바이트 배열로 변환 하거나 사용하지 않는 여러 솔루션을 찾을 수 있습니다 . 읽기 내용이 너무 크면 일부 메모리 문제가 발생할 수 있습니다.
마지막으로 이미지를 읽는 것이 필요하면 다음을 사용하십시오.
BufferedImage image = ImageIO.read(new URL("http://www.example.com/images/toto.jpg"));
사용하면 ImageIO#read(java.net.URL)
캐시를 사용할 수도 있습니다.
답변
어때 :
if (stream.markSupported() == false) {
// lets replace the stream object
ByteArrayOutputStream baos = new ByteArrayOutputStream();
IOUtils.copy(stream, baos);
stream.close();
stream = new ByteArrayInputStream(baos.toByteArray());
// now the stream should support 'mark' and 'reset'
}
답변
메모리에 모든 데이터를로드하지 않고InputStream
두 개로 분할 한 다음 독립적으로 처리합니다.
OutputStream
정확하게 몇 개를 만듭니다 .PipedOutputStream
- PipedInputStream 각 PipedOutputStream 파이프를 연결, 이들은
PipedInputStream
반환된다InputStream
. - 소싱 InputStream을 방금 만든
OutputStream
. 따라서 소싱에서 읽은 모든 내용InputStream
은 둘 다에 작성됩니다OutputStream
. 이미TeeInputStream
(commons.io) 에서 수행되었으므로 구현할 필요가 없습니다 . -
분리 된 스레드 내에서 전체 소싱 inputStream을 읽고 암시 적으로 입력 데이터가 대상 inputStream으로 전송됩니다.
public static final List<InputStream> splitInputStream(InputStream input) throws IOException { Objects.requireNonNull(input); PipedOutputStream pipedOut01 = new PipedOutputStream(); PipedOutputStream pipedOut02 = new PipedOutputStream(); List<InputStream> inputStreamList = new ArrayList<>(); inputStreamList.add(new PipedInputStream(pipedOut01)); inputStreamList.add(new PipedInputStream(pipedOut02)); TeeOutputStream tout = new TeeOutputStream(pipedOut01, pipedOut02); TeeInputStream tin = new TeeInputStream(input, tout, true); Executors.newSingleThreadExecutor().submit(tin::readAllBytes); return Collections.unmodifiableList(inputStreamList); }
소비 된 후 inputStreams를 닫고 실행되는 스레드를 닫아야합니다. TeeInputStream.readAllBytes()
경우에 따라 두 개가 아닌 여러 개로 분할InputStream
해야합니다 . 이전 코드 조각에서 TeeOutputStream
자체 구현을위한 클래스 를 대체합니다.이 클래스 는 a를 캡슐화 List<OutputStream>
하고 OutputStream
인터페이스를 재정의합니다 .
public final class TeeListOutputStream extends OutputStream {
private final List<? extends OutputStream> branchList;
public TeeListOutputStream(final List<? extends OutputStream> branchList) {
Objects.requireNonNull(branchList);
this.branchList = branchList;
}
@Override
public synchronized void write(final int b) throws IOException {
for (OutputStream branch : branchList) {
branch.write(b);
}
}
@Override
public void flush() throws IOException {
for (OutputStream branch : branchList) {
branch.flush();
}
}
@Override
public void close() throws IOException {
for (OutputStream branch : branchList) {
branch.close();
}
}
}