Java examples for java.io:InputStream Read
Copy the contents of the given InputStream to the given OutputStream.
//package com.java2s; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.io.Reader; import java.io.Writer; public class Main { public static final int BUFFER_SIZE = 4096; /**//w ww . j a v a 2s . c o m * Copy the contents of the given InputStream to the given OutputStream. * Closes both streams when done. * @param in the stream to copy from * @param out the stream to copy to * @return the number of bytes copied * @throws IOException in case of I/O errors */ public static int copy(InputStream in, OutputStream out) throws IOException { try { int byteCount = 0; byte[] buffer = new byte[BUFFER_SIZE]; int bytesRead = -1; while ((bytesRead = in.read(buffer)) != -1) { out.write(buffer, 0, bytesRead); byteCount += bytesRead; } out.flush(); return byteCount; } finally { boolean isE = false; try { in.close(); } catch (IOException ex) { isE = true; } try { out.close(); } catch (IOException ex) { isE = true; } if (isE) { throw new IOException("close error on file copy "); } } } /** * Copy the contents of the given byte array to the given OutputStream. * Closes the stream when done. * @param in the byte array to copy from * @param out the OutputStream to copy to * @throws IOException in case of I/O errors */ public static void copy(byte[] in, OutputStream out) throws IOException { try { out.write(in); } finally { try { out.close(); } catch (IOException ex) { } } } /** * Copy the contents of the given Reader to the given Writer. * Closes both when done. * @param in the Reader to copy from * @param out the Writer to copy to * @return the number of characters copied * @throws IOException in case of I/O errors */ public static int copy(Reader in, Writer out) throws IOException { try { int byteCount = 0; char[] buffer = new char[BUFFER_SIZE]; int bytesRead = -1; while ((bytesRead = in.read(buffer)) != -1) { out.write(buffer, 0, bytesRead); byteCount += bytesRead; } out.flush(); return byteCount; } finally { try { in.close(); } catch (IOException ex) { } try { out.close(); } catch (IOException ex) { } } } /** * Copy the contents of the given String to the given output Writer. * Closes the write when done. * @param in the String to copy from * @param out the Writer to copy to * @throws IOException in case of I/O errors */ public static void copy(String in, Writer out) throws IOException { try { out.write(in); } finally { try { out.close(); } catch (IOException ex) { } } } }