ByteArrayInputStream reset() method in Java with Examples

The reset() method is a built-in method of the Java.io.ByteArrayInputStream is invoked by mark() method. It repositions the input stream to the marked position.
Syntax:
public void reset()
Parameters: The function does not accepts any parameter.
Return Value: The function does not returns anything.
Below is the implementation of the above function:
Program 1:
Java
// Java program to implement// the above functionimport java.io.*;public class Main { public static void main(String[] args) throws Exception { byte[] buf = { 5, 6, 7, 8, 9 }; // Create new byte array input stream ByteArrayInputStream exam = new ByteArrayInputStream(buf); // print bytes System.out.println(exam.read()); System.out.println(exam.read()); System.out.println(exam.read()); // Use of reset() method : // repositioning the stream to marked positions. exam.reset(); System.out.println("\nreset() invoked"); System.out.println(exam.read()); System.out.println(exam.read()); }} |
Output:
5 6 7 reset() invoked 5 6
Program 2:
Java
// Java program to implement// the above functionimport java.io.*;public class Main { public static void main(String[] args) throws Exception { byte[] buf = { 1, 2, 3, 4 }; // Create new byte array input stream ByteArrayInputStream exam = new ByteArrayInputStream(buf); // print bytes System.out.println(exam.read()); System.out.println(exam.read()); System.out.println(exam.read()); exam.mark(1); // Use of reset() method : // repositioning the stream to marked positions. exam.reset(); System.out.println("\nreset() invoked"); System.out.println(exam.read()); System.out.println(exam.read()); }} |
Output:
1 2 3 reset() invoked 4 -1
Reference: https://docs.oracle.com/javase/10/docs/api/java/io/ByteArrayInputStream.html#reset()



