SlideShare a Scribd company logo
Input/Output Streams
www.sunilos.com
www.raystec.com
www.sunilos.com 2
Input/Output Concepts
 Data Storage
o Transient memory : RAM
• It is accessed directly by processor.
o Persistent Memory: Disk and Tape
• It requires I/O operations.
 I/O sources and destinations
o console, disk, tape, network, etc.
 Streams
o It represents a sequential stream of bytes.
o It hides the details of I/O devices.
www.sunilos.com 3
IO Stream– java.io package
101010 101010Byte Array Byte Array
1010 1010ABCD
Binary Data
•.exe
•.jpg
•.class
Text Data
•.txt
•.java
•.bat
ABCDThis is Line This is Line
InputStream
ByteByte
OutputStream
BufferedOutputStream
BufferedInputStream
BufferedWriter
BufferedReader
Writer Reader
Char
Line
Char Line
Byte
Byte
• FileWriter
• PrintWriter
• FileReader
• InputStreamReader
• Scanner
• FileOutputStream
• ObjectOutputStream
• FileInputStream
• ObjectInputStream
www.sunilos.com 4
Types Of Data
 character data
o Represented as 1-byte ASCII .
o Represented as 2-bytes Unicode within Java programs. The
first 128 characters of Unicode are the ASCII characters.
o Read by Reader and its subclasses.
o Written by Writer and its subclasses.
o You can use java.util.Scanner to read characters in
JDK1.5 onward.
 binary data
o Read by InputStream and its subclasses.
o Written by OutputStream and its subclasses.
www.sunilos.com 5
Attrib.java : c:>java Attrib <fileName>
import java.io.File; java.util.Date;
public static void main(String[] args) {
File f = new File("c:/temp/a.txt”");
// File f = new File("c:/temp” , “a.txt");
if(f.exists()){
System.out.println(“Name” + f.getName());
System.out.println("Absolute path: " + f.getAbsolutePath());
System.out.println(" Is writable “ + f.canWrite());
System.out.println(" Is readable“ + f.canRead());
System.out.println(" Is File“ + f.isFile());
System.out.println(" Is Directory“ + f.isDirectory());
System.out.println("Last Modified at " + new Date(f.lastModified()));
System.out.println(“Length " + f.length() + " bytes long.");
}
}
}
www.sunilos.com 6
Representing a File
 Class java.io.File represents a file or folder (directory).
o Constructors:
• public File (String path)
• public File (String path, String name)
o Interesting methods:
• boolean exists()
• boolean isDirectory()
• boolean isFile()
• boolean canRead()
• boolean canWrite()
• long length()
• long lastModified()
www.sunilos.com 7
Representing a File (Cont.)
More interesting methods:
o boolean delete()
o boolean renameTo(File dest)
o boolean mkdir()
o String[] list()
o File[] listFiles()
o String getName()
www.sunilos.com 8
Display file and subdirectories
This program displays files and subdirectories of
a directory.
public static void main(String[] args) {
File directory = new File("C:/temp");
//File directory = new File(args[0]);
String[] list = directory.list();
for (int i = 0; i < list.length; i++) {
System.out.println((i + 1) + " : " +
list[i]);
}
}
www.sunilos.com 9
Display only files from a folder
public static void main(String[] args) {
File directory = new File("C:/temp");
//File directory = new File(args[0]);
String[] list = directory.list();
for (int i = 0; i < list.length; i++) {
File f = new File(“c:/temp”,list[i]);
if(f.isFile()){
System.out.println((i + 1) + " : " + list[i]);
}
}
}
www.sunilos.com 10
Display only files from a folder
public static void main(String[] args) {
File directory = new File("C:/temp");
File[] list = directory.listFiles();
for (int i = 0; i < list.length; i++) {
if (list[i].isFile()) {
System.out.println((i + 1) + " : " + list[i].getName());
}
}
}
www.sunilos.com 11
FileReader- Read char from a file
public static void main(String[] args) throws Exception{
FileReader reader = new FileReader(“c:/test.txt”);
int ch = reader.read();
char chr;
while(ch != -1){
chr = (char)ch;
System.out.print( chr);
ch = reader.read();
}
}
www.sunilos.com 12
Read a file line by line
public static void main(String[] args) throws Exception {
FileReader reader = new FileReader("c:/test.txt");
BufferedReader br= new BufferedReader(reader);
String line = br.readLine();
while (line != null) {
System.out.println(line);
line = br.readLine();
}
reader.close();
}
www.sunilos.com 13
Read file by Line
1010
Text Data
•.txt
•.java
•.bat
ABCD This is Line
BufferedReader
FileReader
Char LineByte
Byte
Char
Line
www.sunilos.com 14
Write to a File
public static void main(String[] args) throws Exception {
FileWriter writer = new FileWriter("c:/newtest.txt");
PrintWriter pw= new PrintWriter(writer);
for (int i = 0; i < 5; i++) {
pw.println(i + " : Line");
}
pw.close();
writer.close();
System.out.println(“File is successfully written, Pl check c:/newtest.txt ");
}
www.sunilos.com 15
Write to a File
1010ABCD
•Text Data
•.txt
•.java
•.bat
This is Line
PrintWriter
FileWriter
Char
Line
Byte
Contains print and println methods
Line
Char
Byte
www.sunilos.com 16
Append Text/Bytes in existing File
 FileWriter: You may use either constructor to create a
FileWriter object to append text in an existing file.
o FileWriter(“c:a.txt”,true)
o FileWriter(new File(“c:a.txt”),true)
 FileOutputStream: You may use either constructor to create a
FileOutputStream object to append bytes in an existing binary
file.
o FileOutputStream (“c:a.jpg”,true)
o FileOutputStream (new File(“c:a.jpg”),true)
Copy A Text File
 String source= "c:/a.txt";
 String target = "c:/b.txt";
 FileReader reader = new FileReader(source);
 FileWriter writer = new FileWriter(target);
 int ch = reader.read() ;
 while (ch != -1){
o writer.write(ch);
o ch = reader.read();
 }
 writer.close();
 reader.close();
 System.out.println(source + " is copied to "+ target);
www.sunilos.com 17
Copy A Binary File
 String source= "c:/IMG_0046.JPG";
 String target = "c:/baby.jpg";
 FileInputStream reader = new FileInputStream(source);
 FileOutputStream writer = new FileOutputStream(target);
 int ch = reader.read() ;
 while (ch != -1){
o writer.write(ch);
o ch = reader.read();
 }
 writer.close();
 reader.close();
 System.out.println(source + " is copied to "+ target);
www.sunilos.com 18
Convert Binary to Text Stream
Class : InputStreamReader
Reads Data From Keyboard
o InputStreamReader ir= new InputStreamReader(System.in);
www.sunilos.com 19
1010
ABCD
CharByte
InputStreamReader
www.sunilos.com 20
Copycon command
 Reads data from keyboard and writes into a file
 String target= "c:/temp.txt";
 FileWriter writer = new FileWriter(target);
 PrintWriter printWriter = new PrintWriter(writer);
 InputStreamReader isReader = new InputStreamReader(System.in);
 BufferedReader in = new BufferedReader(isReader );
 String line = in.readLine();
 while (!line.equals("quit")) {
o printWriter.print(line);
o line = in.readLine();
 }
 printWriter.close();
 isReader.close();
www.sunilos.com 21
Serialization
 public class Employee implements Serializable {
 private int id;
 private String firstName;
 private String lastName;
 private Address add;
 private transient String tempValue;
 public Employee() { //Default Constructor }
 public Employee(int id, String firstName, String lastName) {
o this.id = id;
o this.firstName = firstName;
o this.lastName = lastName;
 }
 //accessor methods
Serialization
www.sunilos.com 22
Why Serialization ?
When an object is persisted in a file.
When an object is sent over the Network.
When an object is sent to Hardware.
Or in other words when an object is sent Out of
JVM.
www.sunilos.com 23
Persist/Write an Object
 FileOutputStream file = new
FileOutputStream("c:/object.ser");
 ObjectOutputStream out = new ObjectOutputStream(file);
 Employee emp = new Employee(10, “Sachin", “10lukar");
 out.writeObject(emp);
 out.close();
 System.out.println("Object is successfully persisted");
www.sunilos.com 24
Read an Object
www.sunilos.com 25
 FileInputStream file= new FileInputStream("c:/object.ser")
 ObjectInputStream in = new ObjectInputStream(file);
 Employee emp = (Employee) in.readObject();
 System.out.println("ID : " + emp.getId());
 System.out.println("F Name : " + emp.getFirstName());
 System.out.println("L Name : " + emp.getLastName());
 System.out.println("Temp Value: " + emp.getTempValue());
 NOTE : transient variables will be discarded during serialization
www.sunilos.com 26
Write Primitive Data
What are primitive data types?
o int
o double
o float
o boolean
o char
Which classes to use?
o DataInputStream
o DataOutputStream
Write Primitive Data
 public static void main(String[] args) throws Exception {
o FileOutputStream file = new
FileOutputStream("c:/primitivedata.dat");
o DataOutputStream out = new DataOutputStream(file);
o out.writeInt(1);
o out.writeBoolean(true);
o out.writeChar('A');
o out.writeDouble(1.2);
o out.close();
o file.close()
o System.out.println("Primitive Data successfully written");
 }
www.sunilos.com 27
Read Primitive Data
 public static void main(String[] args) throws Exception {
o FileInputStream file = new
FileInputStream("c:/primitivedata.dat");
o DataInputStream in = new DataInputStream(file);
o System.out.println(in.readInt());
o System.out.println(in.readBoolean());
o System.out.println(in.readChar());
o System.out.println(in.readDouble());
o in.close();
 }
www.sunilos.com 28
www.sunilos.com 29
Primitive File - Write
public static void main(String[] args) throws Exception {
long dataPosition = 0; // to be determined later
RandomAccessFile in = new RandomAccessFile("datafile.dat", "rw");
// Write to the file.
in.writeLong(0); // placeholder
in.writeChars("blahblahblah");
dataPosition = in.getFilePointer();
in.writeInt(123);
in.writeBytes(“Blahblahblah");
// Rewrite the first byte to reflect updated data position.
in.seek(0);
in.writeLong(dataPosition);
in.close();
}
www.sunilos.com 30
Primitive File - Read
public static void main(String[] args) throws Exception {
long dataPosition = 0;
int data = 0;
RandomAccessFile raf = new RandomAccessFile("datafile", "r");
// Get the position of the data to read.
dataPosition = raf.readLong();
System.out.println("dataPosition : " + dataPosition);
// Go to that position.
raf.seek(dataPosition);
// Read the data.
data = raf.readInt();
raf.close();
System.out.println("The data is: " + data);
}
www.sunilos.com 31
java.util.Scanner
 A simple text scanner which can parse primitive data
types and strings using regular expressions.
 Reads character data as Strings, or converts to primitive
values.
 Does not throw checked exceptions.
 Constructors
o Scanner (File source) // reads from a file
o Scanner (InputStream source) // reads from a stream
o Scanner (String source) // scans a String
www.sunilos.com 32
java.util.Scanner
Interesting methods:
o boolean hasNext()
o boolean hasNextInt()
o boolean hasNextDouble()
o …
o String next()
o String nextLine()
o int nextInt()
o double nextDouble()
www.sunilos.com 33
Read File By Scanner
public static void main(String[] args) throws Exception{
FileReader reader = new FileReader("c:/newtest.txt");
Scanner sc = new Scanner(reader);
while(sc.hasNext()){
System.out.println(sc.nextLine());
}
reader.close();
}
Token A String
Breaks string into tokens.
 public static void main(String[] args) {
o String str = “This is Java, Java is Object Oriented
Language, Java is guarantee for job";
o StringTokenizer stn = new StringTokenizer(str, ",");
o String token = null;
o while (stn.hasMoreElements()) {
o token = stn.nextToken();
o System.out.println(“Token is : " + token);
o }
 }
www.sunilos.com 34
www.sunilos.com 35
Summary
 What is IO Package
o java.io
 How to represent a File/Directory
o File f = new File(“c:/temp/myfile.txt”)
• OR
o File f = new File(“c:/temp”,”myfile.txt”)
www.sunilos.com 36
Summary (Cont.)
How to write text data char by char?
o FileWriter out = new FileWrite(f);
• OR
o FileWriter out = new FileWrite (“c:/temp/myfile.txt”);
o out.write(‘A’);
How to write text data line by line?
o PrintWriter pOut = new PrintWriter(out);
o pOut.println(“This is Line”);
www.sunilos.com 37
Summary (Cont.)
How to read text data char by char?
o FileReader in = new FileReader(f);
• OR
o FileReader in = new FileReader (“c:/temp/myfile.txt”);
o in.read();
How to read text data line by line?
o BufferedReader pIn= new BufferedReader(in);
o pIn.readLine();
o Scanner.readLine()
www.sunilos.com 38
Summary (Cont.)
How to write binary data byte by byte?
o FileOutputStream out = new FileOutputStream(f);
• OR
o FileOutputStream out = new FileOutputStream
(“c:/temp/myfile.txt”);
o out.write(1);
How to write binary data as byte array?
o BufferedOutputStream bOut = new BufferedOutputStream
(out);
o bOut.write(byte[]);
www.sunilos.com 39
Summary (Cont.)
 How to read binary data byte by byte?
o FileInputStream in = new FileInputStream(f);
• OR
o FileInputStream in = new FileInputStream
(“c:/temp/myfile.txt”);
o in.read();
 How to read binary data as byte array?
o BufferedInputStream bIn = new BufferedInputStream (in);
o byte[] buffer = new byte[256];
o bIn.read(buffer);
www.sunilos.com 40
Summary (Cont.)
How to write primitive data?
o FileOutputStream file = new
FileOutputStream("c:/primitivedata.dat");
o DataOutputStream out = new DataOutputStream(file);
How to Read primitive data?
o FileInputStream file = new
FileInputStream("c:/primitivedata.dat");
o DataInputStream in = new DataInputStream(file);
www.sunilos.com 41
Summary (Cont.)
 How to persist/write an Object
o Make object Serialized
o FileOutputStream file = new FileOutputStream("c:/object.ser");
o ObjectOutputStream out = new ObjectOutputStream(file);
o out.writeObject(obj);
 How to read an Object
o FileInputStream file = new FileInputStream("c:/object.ser");
o ObjectInputStream in = new ObjectInputStream(file);
o Object obj = in.readObject();
www.sunilos.com 42
Byte to Char Stream
How to convert byte stream into char stream
o Use InputStreamReader
o InputStreamReader inputStreamReader
= new InputStreamReader(System.in);
www.sunilos.com 43
IO Hierarchy - InputSteam
 java.io.File
 java.io.RandomAccessFile
 java.io.InputStream
o java.io.ByteArrayInputStream
o java.io.FileInputStream
o java.io.FilterInputStream
• java.io.BufferedInputStream
• java.io.DataInputStream
• java.io.
LineNumberInputStream
o java.io.ObjectInputStream
o java.io.
StringBufferInputStream
 java.io.OutputStream
o java.io.ByteArrayOutputStream
o java.io.FileOutputStream
o java.io.FilterOutputStream
• java.io.BufferedOutputStream
• java.io.DataOutputStream
• java.io.PrintStream
o java.io.ObjectOutputStream
www.sunilos.com 44
IO Hierarchy - Reader
 java.io.Reader
o java.io.BufferedReader
• java.io.LineNumberReader
o java.io.CharArrayReader
o java.io.InputStreamReader
• java.io.FileReader
o java.io.StringReader
 java.io.Writer
o java.io.BufferedWriter
o java.io.CharArrayWriter
o java.io.OutputStreamWriter
• java.io.FileWriter
o java.io.PrintWriter
o java.io.StringWriter
Thank You!
12/25/15 www.sunilos.com 45
www.sunilos.com
+91 98273 60504

More Related Content

What's hot (20)

Jsp/Servlet
Jsp/ServletJsp/Servlet
Jsp/Servlet
Sunil OS
 
Hibernate
Hibernate Hibernate
Hibernate
Sunil OS
 
Java exception handling
Java exception handlingJava exception handling
Java exception handling
BHUVIJAYAVELU
 
Collection v3
Collection v3Collection v3
Collection v3
Sunil OS
 
Java Basics V3
Java Basics V3Java Basics V3
Java Basics V3
Sunil OS
 
JAVA Variables and Operators
JAVA Variables and OperatorsJAVA Variables and Operators
JAVA Variables and Operators
Sunil OS
 
Java Strings
Java StringsJava Strings
Java Strings
RaBiya Chaudhry
 
OOP V3.1
OOP V3.1OOP V3.1
OOP V3.1
Sunil OS
 
JavaScript
JavaScriptJavaScript
JavaScript
Sunil OS
 
Java Method, Static Block
Java Method, Static BlockJava Method, Static Block
Java Method, Static Block
Infoviaan Technologies
 
Introduction to java 8 stream api
Introduction to java 8 stream apiIntroduction to java 8 stream api
Introduction to java 8 stream api
Vladislav sidlyarevich
 
Wrapper classes
Wrapper classes Wrapper classes
Wrapper classes
Kongu Engineering College, Perundurai, Erode
 
Resource Bundle
Resource BundleResource Bundle
Resource Bundle
Sunil OS
 
Java Course 8: I/O, Files and Streams
Java Course 8: I/O, Files and StreamsJava Course 8: I/O, Files and Streams
Java Course 8: I/O, Files and Streams
Anton Keks
 
Super Keyword in Java.pptx
Super Keyword in Java.pptxSuper Keyword in Java.pptx
Super Keyword in Java.pptx
KrutikaWankhade1
 
Multi level inheritence
Multi level inheritenceMulti level inheritence
Multi level inheritence
RanaMOIN1
 
Java string handling
Java string handlingJava string handling
Java string handling
Salman Khan
 
Static Members-Java.pptx
Static Members-Java.pptxStatic Members-Java.pptx
Static Members-Java.pptx
ADDAGIRIVENKATARAVIC
 
Strings
StringsStrings
Strings
naslin prestilda
 
Java practical
Java practicalJava practical
Java practical
shweta-sharma99
 

Viewers also liked (7)

Routing Protocols and Concepts - Chapter 1
Routing Protocols and Concepts - Chapter 1Routing Protocols and Concepts - Chapter 1
Routing Protocols and Concepts - Chapter 1
CAVC
 
basics of file handling
basics of file handlingbasics of file handling
basics of file handling
pinkpreet_kaur
 
Congestion control in TCP
Congestion control in TCPCongestion control in TCP
Congestion control in TCP
selvakumar_b1985
 
14 file handling
14 file handling14 file handling
14 file handling
APU
 
Socket System Calls
Socket System CallsSocket System Calls
Socket System Calls
Avinash Varma Kalidindi
 
TCP congestion control
TCP congestion controlTCP congestion control
TCP congestion control
Shubham Jain
 
Socket programming
Socket programmingSocket programming
Socket programming
chandramouligunnemeda
 
Routing Protocols and Concepts - Chapter 1
Routing Protocols and Concepts - Chapter 1Routing Protocols and Concepts - Chapter 1
Routing Protocols and Concepts - Chapter 1
CAVC
 
basics of file handling
basics of file handlingbasics of file handling
basics of file handling
pinkpreet_kaur
 
14 file handling
14 file handling14 file handling
14 file handling
APU
 
TCP congestion control
TCP congestion controlTCP congestion control
TCP congestion control
Shubham Jain
 
Ad

Similar to Java Input Output and File Handling (20)

Programming language JAVA Input output opearations
Programming language JAVA Input output opearationsProgramming language JAVA Input output opearations
Programming language JAVA Input output opearations
2025183005
 
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
hungvidien123
 
File Input & Output
File Input & OutputFile Input & Output
File Input & Output
PRN USM
 
IOStream.pptx
IOStream.pptxIOStream.pptx
IOStream.pptx
HindAlmisbahi
 
chapter 2(IO and stream)/chapter 2, IO and stream
chapter 2(IO and stream)/chapter 2, IO and streamchapter 2(IO and stream)/chapter 2, IO and stream
chapter 2(IO and stream)/chapter 2, IO and stream
amarehope21
 
Javaio
JavaioJavaio
Javaio
Jaya Jeswani
 
Javaio
JavaioJavaio
Javaio
Jaya Jeswani
 
IO Programming.pptx all informatiyon ppt
IO Programming.pptx all informatiyon pptIO Programming.pptx all informatiyon ppt
IO Programming.pptx all informatiyon ppt
nandinimakwana22cse
 
Java căn bản - Chapter12
Java căn bản - Chapter12Java căn bản - Chapter12
Java căn bản - Chapter12
Vince Vo
 
Chapter 12 - File Input and Output
Chapter 12 - File Input and OutputChapter 12 - File Input and Output
Chapter 12 - File Input and Output
Eduardo Bergavera
 
CSE3146-ADV JAVA M2.pdf
CSE3146-ADV JAVA M2.pdfCSE3146-ADV JAVA M2.pdf
CSE3146-ADV JAVA M2.pdf
VithalReddy3
 
Basic i/o & file handling in java
Basic i/o & file handling in javaBasic i/o & file handling in java
Basic i/o & file handling in java
JayasankarPR2
 
Input output files in java
Input output files in javaInput output files in java
Input output files in java
Kavitha713564
 
Java Day-6
Java Day-6Java Day-6
Java Day-6
People Strategists
 
Java I/O
Java I/OJava I/O
Java I/O
DeeptiJava
 
Comp102 lec 11
Comp102   lec 11Comp102   lec 11
Comp102 lec 11
Fraz Bakhsh
 
Input/Output Exploring java.io
Input/Output Exploring java.ioInput/Output Exploring java.io
Input/Output Exploring java.io
NilaNila16
 
Itp 120 Chapt 19 2009 Binary Input & Output
Itp 120 Chapt 19 2009 Binary Input & OutputItp 120 Chapt 19 2009 Binary Input & Output
Itp 120 Chapt 19 2009 Binary Input & Output
phanleson
 
Advanced programming ch2
Advanced programming ch2Advanced programming ch2
Advanced programming ch2
Gera Paulos
 
File Input and output.pptx
File Input  and output.pptxFile Input  and output.pptx
File Input and output.pptx
cherryreddygannu
 
Programming language JAVA Input output opearations
Programming language JAVA Input output opearationsProgramming language JAVA Input output opearations
Programming language JAVA Input output opearations
2025183005
 
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
11_Str11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.11_Streams.eams.pdf
hungvidien123
 
File Input & Output
File Input & OutputFile Input & Output
File Input & Output
PRN USM
 
chapter 2(IO and stream)/chapter 2, IO and stream
chapter 2(IO and stream)/chapter 2, IO and streamchapter 2(IO and stream)/chapter 2, IO and stream
chapter 2(IO and stream)/chapter 2, IO and stream
amarehope21
 
IO Programming.pptx all informatiyon ppt
IO Programming.pptx all informatiyon pptIO Programming.pptx all informatiyon ppt
IO Programming.pptx all informatiyon ppt
nandinimakwana22cse
 
Java căn bản - Chapter12
Java căn bản - Chapter12Java căn bản - Chapter12
Java căn bản - Chapter12
Vince Vo
 
Chapter 12 - File Input and Output
Chapter 12 - File Input and OutputChapter 12 - File Input and Output
Chapter 12 - File Input and Output
Eduardo Bergavera
 
CSE3146-ADV JAVA M2.pdf
CSE3146-ADV JAVA M2.pdfCSE3146-ADV JAVA M2.pdf
CSE3146-ADV JAVA M2.pdf
VithalReddy3
 
Basic i/o & file handling in java
Basic i/o & file handling in javaBasic i/o & file handling in java
Basic i/o & file handling in java
JayasankarPR2
 
Input output files in java
Input output files in javaInput output files in java
Input output files in java
Kavitha713564
 
Input/Output Exploring java.io
Input/Output Exploring java.ioInput/Output Exploring java.io
Input/Output Exploring java.io
NilaNila16
 
Itp 120 Chapt 19 2009 Binary Input & Output
Itp 120 Chapt 19 2009 Binary Input & OutputItp 120 Chapt 19 2009 Binary Input & Output
Itp 120 Chapt 19 2009 Binary Input & Output
phanleson
 
Advanced programming ch2
Advanced programming ch2Advanced programming ch2
Advanced programming ch2
Gera Paulos
 
File Input and output.pptx
File Input  and output.pptxFile Input  and output.pptx
File Input and output.pptx
cherryreddygannu
 
Ad

More from Sunil OS (20)

Threads V4
Threads  V4Threads  V4
Threads V4
Sunil OS
 
DJango
DJangoDJango
DJango
Sunil OS
 
PDBC
PDBCPDBC
PDBC
Sunil OS
 
OOP v3
OOP v3OOP v3
OOP v3
Sunil OS
 
Threads v3
Threads v3Threads v3
Threads v3
Sunil OS
 
Exception Handling v3
Exception Handling v3Exception Handling v3
Exception Handling v3
Sunil OS
 
Machine learning ( Part 3 )
Machine learning ( Part 3 )Machine learning ( Part 3 )
Machine learning ( Part 3 )
Sunil OS
 
Machine learning ( Part 2 )
Machine learning ( Part 2 )Machine learning ( Part 2 )
Machine learning ( Part 2 )
Sunil OS
 
Machine learning ( Part 1 )
Machine learning ( Part 1 )Machine learning ( Part 1 )
Machine learning ( Part 1 )
Sunil OS
 
Python Pandas
Python PandasPython Pandas
Python Pandas
Sunil OS
 
Python part2 v1
Python part2 v1Python part2 v1
Python part2 v1
Sunil OS
 
Angular 8
Angular 8 Angular 8
Angular 8
Sunil OS
 
Python Part 1
Python Part 1Python Part 1
Python Part 1
Sunil OS
 
C# Variables and Operators
C# Variables and OperatorsC# Variables and Operators
C# Variables and Operators
Sunil OS
 
C# Basics
C# BasicsC# Basics
C# Basics
Sunil OS
 
Rays Technologies
Rays TechnologiesRays Technologies
Rays Technologies
Sunil OS
 
C++ oop
C++ oopC++ oop
C++ oop
Sunil OS
 
C++
C++C++
C++
Sunil OS
 
C Basics
C BasicsC Basics
C Basics
Sunil OS
 
Log4 J
Log4 JLog4 J
Log4 J
Sunil OS
 
Threads V4
Threads  V4Threads  V4
Threads V4
Sunil OS
 
Threads v3
Threads v3Threads v3
Threads v3
Sunil OS
 
Exception Handling v3
Exception Handling v3Exception Handling v3
Exception Handling v3
Sunil OS
 
Machine learning ( Part 3 )
Machine learning ( Part 3 )Machine learning ( Part 3 )
Machine learning ( Part 3 )
Sunil OS
 
Machine learning ( Part 2 )
Machine learning ( Part 2 )Machine learning ( Part 2 )
Machine learning ( Part 2 )
Sunil OS
 
Machine learning ( Part 1 )
Machine learning ( Part 1 )Machine learning ( Part 1 )
Machine learning ( Part 1 )
Sunil OS
 
Python Pandas
Python PandasPython Pandas
Python Pandas
Sunil OS
 
Python part2 v1
Python part2 v1Python part2 v1
Python part2 v1
Sunil OS
 
Angular 8
Angular 8 Angular 8
Angular 8
Sunil OS
 
Python Part 1
Python Part 1Python Part 1
Python Part 1
Sunil OS
 
C# Variables and Operators
C# Variables and OperatorsC# Variables and Operators
C# Variables and Operators
Sunil OS
 
Rays Technologies
Rays TechnologiesRays Technologies
Rays Technologies
Sunil OS
 

Recently uploaded (20)

Rai dyansty Chach or Brahamn dynasty, History of Dahir History of Sindh NEP.pptx
Rai dyansty Chach or Brahamn dynasty, History of Dahir History of Sindh NEP.pptxRai dyansty Chach or Brahamn dynasty, History of Dahir History of Sindh NEP.pptx
Rai dyansty Chach or Brahamn dynasty, History of Dahir History of Sindh NEP.pptx
Dr. Ravi Shankar Arya Mahila P. G. College, Banaras Hindu University, Varanasi, India.
 
How to Manage Upselling of Subscriptions in Odoo 18
How to Manage Upselling of Subscriptions in Odoo 18How to Manage Upselling of Subscriptions in Odoo 18
How to Manage Upselling of Subscriptions in Odoo 18
Celine George
 
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
GeorgeDiamandis11
 
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdfFEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
ChristinaFortunova
 
Black and White Illustrative Group Project Presentation.pdf (1).pdf
Black and White Illustrative Group Project Presentation.pdf (1).pdfBlack and White Illustrative Group Project Presentation.pdf (1).pdf
Black and White Illustrative Group Project Presentation.pdf (1).pdf
AnnasofiaUrsini
 
Respiratory System , Urinary System
Respiratory  System , Urinary SystemRespiratory  System , Urinary System
Respiratory System , Urinary System
RushiMandali
 
Optimization technique in pharmaceutical product development.pptx
Optimization technique in pharmaceutical product development.pptxOptimization technique in pharmaceutical product development.pptx
Optimization technique in pharmaceutical product development.pptx
UrmiPrajapati3
 
Pests of Rice: Damage, Identification, Life history, and Management.pptx
Pests of Rice: Damage, Identification, Life history, and Management.pptxPests of Rice: Damage, Identification, Life history, and Management.pptx
Pests of Rice: Damage, Identification, Life history, and Management.pptx
Arshad Shaikh
 
Artificial intelligence Presented by JM.
Artificial intelligence Presented by JM.Artificial intelligence Presented by JM.
Artificial intelligence Presented by JM.
jmansha170
 
Unit 3 Poster Sketches with annotations.pptx
Unit 3 Poster Sketches with annotations.pptxUnit 3 Poster Sketches with annotations.pptx
Unit 3 Poster Sketches with annotations.pptx
bobby205207
 
LDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDMMIA Free Reiki Yoga S9 Grad Level Intuition IILDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDM & Mia eStudios
 
Different pricelists for different shops in odoo Point of Sale in Odoo 17
Different pricelists for different shops in odoo Point of Sale in Odoo 17Different pricelists for different shops in odoo Point of Sale in Odoo 17
Different pricelists for different shops in odoo Point of Sale in Odoo 17
Celine George
 
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptxSEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
PoojaSen20
 
TV Shows and web-series quiz | QUIZ CLUB OF PSGCAS | 13TH MARCH 2025
TV Shows and web-series quiz | QUIZ CLUB OF PSGCAS | 13TH MARCH 2025TV Shows and web-series quiz | QUIZ CLUB OF PSGCAS | 13TH MARCH 2025
TV Shows and web-series quiz | QUIZ CLUB OF PSGCAS | 13TH MARCH 2025
Quiz Club of PSG College of Arts & Science
 
Allomorps and word formation.pptx - Google Slides.pdf
Allomorps and word formation.pptx - Google Slides.pdfAllomorps and word formation.pptx - Google Slides.pdf
Allomorps and word formation.pptx - Google Slides.pdf
Abha Pandey
 
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptxDiptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Arshad Shaikh
 
How to Create an Event in Odoo 18 - Odoo 18 Slides
How to Create an Event in Odoo 18 - Odoo 18 SlidesHow to Create an Event in Odoo 18 - Odoo 18 Slides
How to Create an Event in Odoo 18 - Odoo 18 Slides
Celine George
 
Adam Grant: Transforming Work Culture Through Organizational Psychology
Adam Grant: Transforming Work Culture Through Organizational PsychologyAdam Grant: Transforming Work Culture Through Organizational Psychology
Adam Grant: Transforming Work Culture Through Organizational Psychology
Prachi Shah
 
Exploring Ocean Floor Features for Middle School
Exploring Ocean Floor Features for Middle SchoolExploring Ocean Floor Features for Middle School
Exploring Ocean Floor Features for Middle School
Marie
 
How to Configure Vendor Management in Lunch App of Odoo 18
How to Configure Vendor Management in Lunch App of Odoo 18How to Configure Vendor Management in Lunch App of Odoo 18
How to Configure Vendor Management in Lunch App of Odoo 18
Celine George
 
How to Manage Upselling of Subscriptions in Odoo 18
How to Manage Upselling of Subscriptions in Odoo 18How to Manage Upselling of Subscriptions in Odoo 18
How to Manage Upselling of Subscriptions in Odoo 18
Celine George
 
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
Module 4 Presentation - Enhancing Competencies and Engagement Strategies in Y...
GeorgeDiamandis11
 
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdfFEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
FEBA Sofia Univercity final diplian v3 GSDG 5.2025.pdf
ChristinaFortunova
 
Black and White Illustrative Group Project Presentation.pdf (1).pdf
Black and White Illustrative Group Project Presentation.pdf (1).pdfBlack and White Illustrative Group Project Presentation.pdf (1).pdf
Black and White Illustrative Group Project Presentation.pdf (1).pdf
AnnasofiaUrsini
 
Respiratory System , Urinary System
Respiratory  System , Urinary SystemRespiratory  System , Urinary System
Respiratory System , Urinary System
RushiMandali
 
Optimization technique in pharmaceutical product development.pptx
Optimization technique in pharmaceutical product development.pptxOptimization technique in pharmaceutical product development.pptx
Optimization technique in pharmaceutical product development.pptx
UrmiPrajapati3
 
Pests of Rice: Damage, Identification, Life history, and Management.pptx
Pests of Rice: Damage, Identification, Life history, and Management.pptxPests of Rice: Damage, Identification, Life history, and Management.pptx
Pests of Rice: Damage, Identification, Life history, and Management.pptx
Arshad Shaikh
 
Artificial intelligence Presented by JM.
Artificial intelligence Presented by JM.Artificial intelligence Presented by JM.
Artificial intelligence Presented by JM.
jmansha170
 
Unit 3 Poster Sketches with annotations.pptx
Unit 3 Poster Sketches with annotations.pptxUnit 3 Poster Sketches with annotations.pptx
Unit 3 Poster Sketches with annotations.pptx
bobby205207
 
LDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDMMIA Free Reiki Yoga S9 Grad Level Intuition IILDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDMMIA Free Reiki Yoga S9 Grad Level Intuition II
LDM & Mia eStudios
 
Different pricelists for different shops in odoo Point of Sale in Odoo 17
Different pricelists for different shops in odoo Point of Sale in Odoo 17Different pricelists for different shops in odoo Point of Sale in Odoo 17
Different pricelists for different shops in odoo Point of Sale in Odoo 17
Celine George
 
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptxSEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
SEXUALITY , UNWANTED PREGANCY AND SEXUAL ASSAULT .pptx
PoojaSen20
 
Allomorps and word formation.pptx - Google Slides.pdf
Allomorps and word formation.pptx - Google Slides.pdfAllomorps and word formation.pptx - Google Slides.pdf
Allomorps and word formation.pptx - Google Slides.pdf
Abha Pandey
 
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptxDiptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Diptera: The Two-Winged Wonders, The Fly Squad: Order Diptera.pptx
Arshad Shaikh
 
How to Create an Event in Odoo 18 - Odoo 18 Slides
How to Create an Event in Odoo 18 - Odoo 18 SlidesHow to Create an Event in Odoo 18 - Odoo 18 Slides
How to Create an Event in Odoo 18 - Odoo 18 Slides
Celine George
 
Adam Grant: Transforming Work Culture Through Organizational Psychology
Adam Grant: Transforming Work Culture Through Organizational PsychologyAdam Grant: Transforming Work Culture Through Organizational Psychology
Adam Grant: Transforming Work Culture Through Organizational Psychology
Prachi Shah
 
Exploring Ocean Floor Features for Middle School
Exploring Ocean Floor Features for Middle SchoolExploring Ocean Floor Features for Middle School
Exploring Ocean Floor Features for Middle School
Marie
 
How to Configure Vendor Management in Lunch App of Odoo 18
How to Configure Vendor Management in Lunch App of Odoo 18How to Configure Vendor Management in Lunch App of Odoo 18
How to Configure Vendor Management in Lunch App of Odoo 18
Celine George
 

Java Input Output and File Handling

  • 2. www.sunilos.com 2 Input/Output Concepts  Data Storage o Transient memory : RAM • It is accessed directly by processor. o Persistent Memory: Disk and Tape • It requires I/O operations.  I/O sources and destinations o console, disk, tape, network, etc.  Streams o It represents a sequential stream of bytes. o It hides the details of I/O devices.
  • 3. www.sunilos.com 3 IO Stream– java.io package 101010 101010Byte Array Byte Array 1010 1010ABCD Binary Data •.exe •.jpg •.class Text Data •.txt •.java •.bat ABCDThis is Line This is Line InputStream ByteByte OutputStream BufferedOutputStream BufferedInputStream BufferedWriter BufferedReader Writer Reader Char Line Char Line Byte Byte • FileWriter • PrintWriter • FileReader • InputStreamReader • Scanner • FileOutputStream • ObjectOutputStream • FileInputStream • ObjectInputStream
  • 4. www.sunilos.com 4 Types Of Data  character data o Represented as 1-byte ASCII . o Represented as 2-bytes Unicode within Java programs. The first 128 characters of Unicode are the ASCII characters. o Read by Reader and its subclasses. o Written by Writer and its subclasses. o You can use java.util.Scanner to read characters in JDK1.5 onward.  binary data o Read by InputStream and its subclasses. o Written by OutputStream and its subclasses.
  • 5. www.sunilos.com 5 Attrib.java : c:>java Attrib <fileName> import java.io.File; java.util.Date; public static void main(String[] args) { File f = new File("c:/temp/a.txt”"); // File f = new File("c:/temp” , “a.txt"); if(f.exists()){ System.out.println(“Name” + f.getName()); System.out.println("Absolute path: " + f.getAbsolutePath()); System.out.println(" Is writable “ + f.canWrite()); System.out.println(" Is readable“ + f.canRead()); System.out.println(" Is File“ + f.isFile()); System.out.println(" Is Directory“ + f.isDirectory()); System.out.println("Last Modified at " + new Date(f.lastModified())); System.out.println(“Length " + f.length() + " bytes long."); } } }
  • 6. www.sunilos.com 6 Representing a File  Class java.io.File represents a file or folder (directory). o Constructors: • public File (String path) • public File (String path, String name) o Interesting methods: • boolean exists() • boolean isDirectory() • boolean isFile() • boolean canRead() • boolean canWrite() • long length() • long lastModified()
  • 7. www.sunilos.com 7 Representing a File (Cont.) More interesting methods: o boolean delete() o boolean renameTo(File dest) o boolean mkdir() o String[] list() o File[] listFiles() o String getName()
  • 8. www.sunilos.com 8 Display file and subdirectories This program displays files and subdirectories of a directory. public static void main(String[] args) { File directory = new File("C:/temp"); //File directory = new File(args[0]); String[] list = directory.list(); for (int i = 0; i < list.length; i++) { System.out.println((i + 1) + " : " + list[i]); } }
  • 9. www.sunilos.com 9 Display only files from a folder public static void main(String[] args) { File directory = new File("C:/temp"); //File directory = new File(args[0]); String[] list = directory.list(); for (int i = 0; i < list.length; i++) { File f = new File(“c:/temp”,list[i]); if(f.isFile()){ System.out.println((i + 1) + " : " + list[i]); } } }
  • 10. www.sunilos.com 10 Display only files from a folder public static void main(String[] args) { File directory = new File("C:/temp"); File[] list = directory.listFiles(); for (int i = 0; i < list.length; i++) { if (list[i].isFile()) { System.out.println((i + 1) + " : " + list[i].getName()); } } }
  • 11. www.sunilos.com 11 FileReader- Read char from a file public static void main(String[] args) throws Exception{ FileReader reader = new FileReader(“c:/test.txt”); int ch = reader.read(); char chr; while(ch != -1){ chr = (char)ch; System.out.print( chr); ch = reader.read(); } }
  • 12. www.sunilos.com 12 Read a file line by line public static void main(String[] args) throws Exception { FileReader reader = new FileReader("c:/test.txt"); BufferedReader br= new BufferedReader(reader); String line = br.readLine(); while (line != null) { System.out.println(line); line = br.readLine(); } reader.close(); }
  • 13. www.sunilos.com 13 Read file by Line 1010 Text Data •.txt •.java •.bat ABCD This is Line BufferedReader FileReader Char LineByte Byte Char Line
  • 14. www.sunilos.com 14 Write to a File public static void main(String[] args) throws Exception { FileWriter writer = new FileWriter("c:/newtest.txt"); PrintWriter pw= new PrintWriter(writer); for (int i = 0; i < 5; i++) { pw.println(i + " : Line"); } pw.close(); writer.close(); System.out.println(“File is successfully written, Pl check c:/newtest.txt "); }
  • 15. www.sunilos.com 15 Write to a File 1010ABCD •Text Data •.txt •.java •.bat This is Line PrintWriter FileWriter Char Line Byte Contains print and println methods Line Char Byte
  • 16. www.sunilos.com 16 Append Text/Bytes in existing File  FileWriter: You may use either constructor to create a FileWriter object to append text in an existing file. o FileWriter(“c:a.txt”,true) o FileWriter(new File(“c:a.txt”),true)  FileOutputStream: You may use either constructor to create a FileOutputStream object to append bytes in an existing binary file. o FileOutputStream (“c:a.jpg”,true) o FileOutputStream (new File(“c:a.jpg”),true)
  • 17. Copy A Text File  String source= "c:/a.txt";  String target = "c:/b.txt";  FileReader reader = new FileReader(source);  FileWriter writer = new FileWriter(target);  int ch = reader.read() ;  while (ch != -1){ o writer.write(ch); o ch = reader.read();  }  writer.close();  reader.close();  System.out.println(source + " is copied to "+ target); www.sunilos.com 17
  • 18. Copy A Binary File  String source= "c:/IMG_0046.JPG";  String target = "c:/baby.jpg";  FileInputStream reader = new FileInputStream(source);  FileOutputStream writer = new FileOutputStream(target);  int ch = reader.read() ;  while (ch != -1){ o writer.write(ch); o ch = reader.read();  }  writer.close();  reader.close();  System.out.println(source + " is copied to "+ target); www.sunilos.com 18
  • 19. Convert Binary to Text Stream Class : InputStreamReader Reads Data From Keyboard o InputStreamReader ir= new InputStreamReader(System.in); www.sunilos.com 19 1010 ABCD CharByte InputStreamReader
  • 20. www.sunilos.com 20 Copycon command  Reads data from keyboard and writes into a file  String target= "c:/temp.txt";  FileWriter writer = new FileWriter(target);  PrintWriter printWriter = new PrintWriter(writer);  InputStreamReader isReader = new InputStreamReader(System.in);  BufferedReader in = new BufferedReader(isReader );  String line = in.readLine();  while (!line.equals("quit")) { o printWriter.print(line); o line = in.readLine();  }  printWriter.close();  isReader.close();
  • 21. www.sunilos.com 21 Serialization  public class Employee implements Serializable {  private int id;  private String firstName;  private String lastName;  private Address add;  private transient String tempValue;  public Employee() { //Default Constructor }  public Employee(int id, String firstName, String lastName) { o this.id = id; o this.firstName = firstName; o this.lastName = lastName;  }  //accessor methods
  • 23. Why Serialization ? When an object is persisted in a file. When an object is sent over the Network. When an object is sent to Hardware. Or in other words when an object is sent Out of JVM. www.sunilos.com 23
  • 24. Persist/Write an Object  FileOutputStream file = new FileOutputStream("c:/object.ser");  ObjectOutputStream out = new ObjectOutputStream(file);  Employee emp = new Employee(10, “Sachin", “10lukar");  out.writeObject(emp);  out.close();  System.out.println("Object is successfully persisted"); www.sunilos.com 24
  • 25. Read an Object www.sunilos.com 25  FileInputStream file= new FileInputStream("c:/object.ser")  ObjectInputStream in = new ObjectInputStream(file);  Employee emp = (Employee) in.readObject();  System.out.println("ID : " + emp.getId());  System.out.println("F Name : " + emp.getFirstName());  System.out.println("L Name : " + emp.getLastName());  System.out.println("Temp Value: " + emp.getTempValue());  NOTE : transient variables will be discarded during serialization
  • 26. www.sunilos.com 26 Write Primitive Data What are primitive data types? o int o double o float o boolean o char Which classes to use? o DataInputStream o DataOutputStream
  • 27. Write Primitive Data  public static void main(String[] args) throws Exception { o FileOutputStream file = new FileOutputStream("c:/primitivedata.dat"); o DataOutputStream out = new DataOutputStream(file); o out.writeInt(1); o out.writeBoolean(true); o out.writeChar('A'); o out.writeDouble(1.2); o out.close(); o file.close() o System.out.println("Primitive Data successfully written");  } www.sunilos.com 27
  • 28. Read Primitive Data  public static void main(String[] args) throws Exception { o FileInputStream file = new FileInputStream("c:/primitivedata.dat"); o DataInputStream in = new DataInputStream(file); o System.out.println(in.readInt()); o System.out.println(in.readBoolean()); o System.out.println(in.readChar()); o System.out.println(in.readDouble()); o in.close();  } www.sunilos.com 28
  • 29. www.sunilos.com 29 Primitive File - Write public static void main(String[] args) throws Exception { long dataPosition = 0; // to be determined later RandomAccessFile in = new RandomAccessFile("datafile.dat", "rw"); // Write to the file. in.writeLong(0); // placeholder in.writeChars("blahblahblah"); dataPosition = in.getFilePointer(); in.writeInt(123); in.writeBytes(“Blahblahblah"); // Rewrite the first byte to reflect updated data position. in.seek(0); in.writeLong(dataPosition); in.close(); }
  • 30. www.sunilos.com 30 Primitive File - Read public static void main(String[] args) throws Exception { long dataPosition = 0; int data = 0; RandomAccessFile raf = new RandomAccessFile("datafile", "r"); // Get the position of the data to read. dataPosition = raf.readLong(); System.out.println("dataPosition : " + dataPosition); // Go to that position. raf.seek(dataPosition); // Read the data. data = raf.readInt(); raf.close(); System.out.println("The data is: " + data); }
  • 31. www.sunilos.com 31 java.util.Scanner  A simple text scanner which can parse primitive data types and strings using regular expressions.  Reads character data as Strings, or converts to primitive values.  Does not throw checked exceptions.  Constructors o Scanner (File source) // reads from a file o Scanner (InputStream source) // reads from a stream o Scanner (String source) // scans a String
  • 32. www.sunilos.com 32 java.util.Scanner Interesting methods: o boolean hasNext() o boolean hasNextInt() o boolean hasNextDouble() o … o String next() o String nextLine() o int nextInt() o double nextDouble()
  • 33. www.sunilos.com 33 Read File By Scanner public static void main(String[] args) throws Exception{ FileReader reader = new FileReader("c:/newtest.txt"); Scanner sc = new Scanner(reader); while(sc.hasNext()){ System.out.println(sc.nextLine()); } reader.close(); }
  • 34. Token A String Breaks string into tokens.  public static void main(String[] args) { o String str = “This is Java, Java is Object Oriented Language, Java is guarantee for job"; o StringTokenizer stn = new StringTokenizer(str, ","); o String token = null; o while (stn.hasMoreElements()) { o token = stn.nextToken(); o System.out.println(“Token is : " + token); o }  } www.sunilos.com 34
  • 35. www.sunilos.com 35 Summary  What is IO Package o java.io  How to represent a File/Directory o File f = new File(“c:/temp/myfile.txt”) • OR o File f = new File(“c:/temp”,”myfile.txt”)
  • 36. www.sunilos.com 36 Summary (Cont.) How to write text data char by char? o FileWriter out = new FileWrite(f); • OR o FileWriter out = new FileWrite (“c:/temp/myfile.txt”); o out.write(‘A’); How to write text data line by line? o PrintWriter pOut = new PrintWriter(out); o pOut.println(“This is Line”);
  • 37. www.sunilos.com 37 Summary (Cont.) How to read text data char by char? o FileReader in = new FileReader(f); • OR o FileReader in = new FileReader (“c:/temp/myfile.txt”); o in.read(); How to read text data line by line? o BufferedReader pIn= new BufferedReader(in); o pIn.readLine(); o Scanner.readLine()
  • 38. www.sunilos.com 38 Summary (Cont.) How to write binary data byte by byte? o FileOutputStream out = new FileOutputStream(f); • OR o FileOutputStream out = new FileOutputStream (“c:/temp/myfile.txt”); o out.write(1); How to write binary data as byte array? o BufferedOutputStream bOut = new BufferedOutputStream (out); o bOut.write(byte[]);
  • 39. www.sunilos.com 39 Summary (Cont.)  How to read binary data byte by byte? o FileInputStream in = new FileInputStream(f); • OR o FileInputStream in = new FileInputStream (“c:/temp/myfile.txt”); o in.read();  How to read binary data as byte array? o BufferedInputStream bIn = new BufferedInputStream (in); o byte[] buffer = new byte[256]; o bIn.read(buffer);
  • 40. www.sunilos.com 40 Summary (Cont.) How to write primitive data? o FileOutputStream file = new FileOutputStream("c:/primitivedata.dat"); o DataOutputStream out = new DataOutputStream(file); How to Read primitive data? o FileInputStream file = new FileInputStream("c:/primitivedata.dat"); o DataInputStream in = new DataInputStream(file);
  • 41. www.sunilos.com 41 Summary (Cont.)  How to persist/write an Object o Make object Serialized o FileOutputStream file = new FileOutputStream("c:/object.ser"); o ObjectOutputStream out = new ObjectOutputStream(file); o out.writeObject(obj);  How to read an Object o FileInputStream file = new FileInputStream("c:/object.ser"); o ObjectInputStream in = new ObjectInputStream(file); o Object obj = in.readObject();
  • 42. www.sunilos.com 42 Byte to Char Stream How to convert byte stream into char stream o Use InputStreamReader o InputStreamReader inputStreamReader = new InputStreamReader(System.in);
  • 43. www.sunilos.com 43 IO Hierarchy - InputSteam  java.io.File  java.io.RandomAccessFile  java.io.InputStream o java.io.ByteArrayInputStream o java.io.FileInputStream o java.io.FilterInputStream • java.io.BufferedInputStream • java.io.DataInputStream • java.io. LineNumberInputStream o java.io.ObjectInputStream o java.io. StringBufferInputStream  java.io.OutputStream o java.io.ByteArrayOutputStream o java.io.FileOutputStream o java.io.FilterOutputStream • java.io.BufferedOutputStream • java.io.DataOutputStream • java.io.PrintStream o java.io.ObjectOutputStream
  • 44. www.sunilos.com 44 IO Hierarchy - Reader  java.io.Reader o java.io.BufferedReader • java.io.LineNumberReader o java.io.CharArrayReader o java.io.InputStreamReader • java.io.FileReader o java.io.StringReader  java.io.Writer o java.io.BufferedWriter o java.io.CharArrayWriter o java.io.OutputStreamWriter • java.io.FileWriter o java.io.PrintWriter o java.io.StringWriter
  • 45. Thank You! 12/25/15 www.sunilos.com 45 www.sunilos.com +91 98273 60504