StringReader in Java

It extends Reader. A character stream whose source is a String.

StringReader enables you to turn an ordinary String into a Reader. This is useful if you have data as a String but need to pass that String to a component that only accepts a Reader.

Note: Since the StringReader is not using any underlying system resources like files or network sockets, closing the StringReader is not crucial.

ConstructorStringReader in Java

Methods

Screen Shot 2020-04-02 at 8.46.29 PM

Java Code
package com.java.io; import java.io.IOException; import java.io.StringReader; public class StringReaderExample { public static void main(String[] args) { StringReader stringReader = null; String str = "Reading String Data"; try { stringReader = new StringReader(str); // Check if markSupported by StringReader System.out.println("Is Mark Supported:" + stringReader.markSupported()); if (stringReader.markSupported()) { // marks the current position // 100 characters to be read before the mark position becomes invalid stringReader.mark(100); } // Skip 5 characters stringReader.skip(5); System.out.print("After Skip Content:"); // Checks if the stringReader is ready to be read if (stringReader.ready()) { for (int i = 0; i < 14; i++) { // Reading one character at a time System.out.print((char) stringReader.read()); } } System.out.println(""); // Reset to the earlier marked position System.out.println("Reset to the earlier marked position"); stringReader.reset(); System.out.print("Reading characters into char Array:"); char c[] = new char[20]; if (stringReader.ready()) { stringReader.read(c); for (int i = 0; i < 20; i++) { System.out.print(c[i]); } } } catch (IOException ex) { ex.printStackTrace(); } finally { // Closing the streams if (stringReader != null) stringReader.close(); } } }
Output
Is Mark Supported:true After Skip Content:ng String Data Reset to the earlier marked position Reading characters into char Array:Reading String Data

Leave a Reply

Your email address will not be published. Required fields are marked *