KEMBAR78
Java Unit - III | PDF | Parameter (Computer Programming) | Constructor (Object Oriented Programming)
0% found this document useful (0 votes)
14 views37 pages

Java Unit - III

The document outlines the fundamentals of exception handling in Java, covering key concepts such as exception types, keywords (try, catch, throw, throws, finally), and custom exceptions. It explains how to manage exceptions, including multiple catch clauses, nested try statements, and the try-with-resources statement for automatic resource management. Additionally, it discusses exception propagation and provides examples for better understanding of these concepts.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
14 views37 pages

Java Unit - III

The document outlines the fundamentals of exception handling in Java, covering key concepts such as exception types, keywords (try, catch, throw, throws, finally), and custom exceptions. It explains how to manage exceptions, including multiple catch clauses, nested try statements, and the try-with-resources statement for automatic resource management. Additionally, it discusses exception propagation and provides examples for better understanding of these concepts.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 37

22PC1IT201 UNIT - III OOP Through Java

SYLLABUS
Exception Handling: Exception handling Fundamentals, Exception Types, Using try and catch, throw,
throws, finally, Java Custom Exception, Catch Multiple Exceptions, Try-with Resources, Exceptions
propagation, Chained Exceptions.
I/O, Generics and Other Topics: The Streams (Byte, Character, and Standard), OutputStream and
InputStream classes, Reading and Writing Files, Random access file operations.
Generics: The general form of a generics class, creating a generic method, generics interfaces, Serialization,
Annotations, Auto Boxing.

Exception Handling
Exception handling Fundamentals
• Exception is a runtime error that interrupt the flow of program execution.
(Or)
• Exception is an object and it is a type of unexpected event, which occurs during the execution of a
program (run time), that disrupts the normal flow of the program’s execution.
• When an exceptional condition arises, an object representing that exception is created and thrown in the
method that caused the error.
• That method may choose to handle the exception itself, or pass it on.
• Reasons for exception occurs
✓ Invalid user input
✓ Code errors
✓ Opening an unavailable file
✓ Device failure
✓ Loss of network connection
✓ Physical limitations (out of disk memory) etc.
• Java exception handling is managed via five keywords: try, catch, throw, throws, and finally.
• Syntax:
try {
// block of code to monitor for errors
}
catch (ExceptionType1 exOb) {
// exception handler for ExceptionType1
}
catch (ExceptionType2 exOb) {
// exception handler for ExceptionType2
}
// ...
finally {
// block of code to be executed after try block ends
}
Here, ExceptionType is the type of exception that has occurred.

1
22PC1IT201 UNIT - III OOP Through Java

Exception Types
• All exception types are subclasses of the built-in class Throwable.
• Throwable are two subclasses that partition exceptions into two distinct branches.
1. Exception
• This class is used for exceptional conditions that user programs should catch.
• This is also used to create your own custom exception types.
• There is an important subclass called RuntimeException.
• RuntimeException are automatically defined for the programs that you write and include things
such as division by zero and invalid array indexing.
2. Error
• Which defines exceptions that are not expected to be caught under normal circumstances by your
program.
• Exceptions of type Error are used by the Java run-time system to indicate errors having to do with
the run-time environment, itself.
• Stack overflow is an example of such an error.

2
22PC1IT201 UNIT - III OOP Through Java

Exception Handling in Java


In java, exceptions are handled by using 5 keywords – try, catch, throw, throws, and finally
1. try: It contains program statements that you want to monitor for exceptions (run-time errors). If an
exception occurs within the try block, then it thrown to catch block.
2. catch: catch clause catch this exception from try and handle it in rational manner. It must be preceded by
try block which means we can't use catch clause alone. System-generated exceptions are automatically
thrown by the Java runtime system.
3. throw: To manually throw an exception, use the keyword throw.
4. throws: The "throws" keyword is used to declare exceptions. It specifies that there may occur an
exception in the method. It doesn't throw an exception. It is always used with method signature.
5. finally: The "finally" block is used to execute the necessary code of the program. It is executed whether
an exception is handled or not.
Syntax:
try {
// block of code to monitor for errors
}
catch (ExceptionType1 exOb) {
// exception handler for ExceptionType1
}
catch (ExceptionType2 exOb) {
// exception handler for ExceptionType2
}
// ...
finally {
// block of code to be executed after try block ends
}
Here, ExceptionType is the type of exception that has occurred.

Example: demonstrate the try, catch, and finally blocks.


class ExceptionDemo {
public static void main(String ar[]) {
try {
String lan[ ]={"C","C++","C#","JAVA"};
for(int i=1;i<10;i++)
System.out.println("Language "+i+" :"+lan[i]);
}
catch(Exception ie) {
System.out.println(“Index was not found”);
}
}
}

Output:
Language 1 :C++
Language 2 :C#
Language 3 :JAVA
Index was not found

3
22PC1IT201 UNIT - III OOP Through Java

Using throw
• To throw an exception explicitly, using the throw statement.
• Syntax: throw ThrowableInstance;
• Here, ThrowableInstance must be an object of type Throwable or a subclass of Throwable.
• The flow of execution stops immediately after the throw statement; any subsequent statements are not
executed.
• The nearest enclosing try block is inspected to see if it has a catch statement that matches the type of
exception.
• If it does find a match, control is transferred to that statement. If not, then the next enclosing try statement
is inspected, and so on.
• If no matching catch is found, then the default exception handler halts the program and prints the stack
trace.
Example: Demonstrate throw.
class ThrowDemo {
static void demoproc( )
{
try {
throw new NullPointerException("demo");
}
catch(NullPointerException e) {
System.out.println("Caught inside demoproc.");
throw e; // rethrow the exception
}
}
public static void main(String args[])
{
try {
demoproc();
}
catch(NullPointerException e) {
System.out.println("Recaught: " + e);
}
}
}
Output:
Caught inside demoproc.
Recaught: java.lang.NullPointerException: demo

4
22PC1IT201 UNIT - III OOP Through Java

Using throws
• Any exception that is thrown out of a method must be specified as such by a throws clause.
• If a method is capable of causing an exception that it does not handle, it must specify this behavior so
that callers of the method can guard themselves against that exception by using a throws clause in the
method’s declaration.
• A throws clause lists the types of exceptions that a method might throw.
• This is necessary for all exceptions, except those of type Error or RuntimeException, or any of their
subclasses.
• Syntax:
type method-name(parameter-list) throws exception-list
{
// body of method
}
Here, exception-list is a comma-separated list of the exceptions that a method can throw.
Example: demonstrate the throws clause
class ThrowsDemo
{
static void Display() throws IllegalAccessException
{
System.out.println("Inside Display.");
throw new IllegalAccessException("Illegal access");
}
public static void main(String args[])
{
try {
Display( );
}
catch(IllegalAccessException ie)
{
System.out.println(ie);
}
}
}

Output:
Inside Display.
java.lang.IllegalAccessException: Illegal access

5
22PC1IT201 UNIT - III OOP Through Java

finally:
• Any code that absolutely must be executed after a try block completes is put in a finally block.
• finally creates a block of code that will be executed after a try /catch block has completed and before the
code following the try/catch block.
• The finally block will execute whether or not an exception is thrown.
• If an exception is thrown, the finally block will execute even if no catch statement matches the
exception.

Example: demonstrate the try, catch, and finally blocks.


class ExceptionDemo {
public static void main(String ar[]) {
try {
String lan[ ]={"C","C++","C#","JAVA"};
for(int i=1;i<10;i++)
System.out.println("Language "+(i+1)+" :"+lan[i]);
}
catch(Exception ie) {
System.out.println(“Index was not found”);
}
finally {
System.out.println("Final block was executed");
}
}
}
Output:
Language 1 :C++
Language 2 :C#
Language 3 :JAVA
Index was not found
Final block was executed

6
22PC1IT201 UNIT - III OOP Through Java

Multiple catch Clauses


• In some cases, more than one exception could be raised by a single piece of code.
• To handle this type of situation, you can specify two or more catch clauses, each catching a different type
of exception.
• When an exception is thrown, each catch statement is inspected in order, and the first one whose type
matches that of the exception is executed.
• After one catch statement executes, the others are bypassed, and execution continues after the try / catch
block.
• Example: demonstrate the multiple catch blocks.
import java.util.Scanner;
import java.util.InputMismatchException;
class MultiCatchDemo {
public static void main(String ar[]) {
Scanner sc=new Scanner(System.in);
try {
System.out.println("Enter a value");
int a=sc.nextInt();
System.out.println("Enter b value");
int b=sc.nextInt();
int c=a/b;
System.out.println("Division a/b is "+c);
}
catch(ArithmeticException ae) {
System.out.println("Do not give dividend as zero");
}
catch(InputMismatchException ae) {
System.out.println("Please enter only integer value");
}
}
}

Output 1:
Enter a value
10
Enter b value
0
Do not give dividend as zero

Output 2:
Enter a value
a
Please enter only integer value

7
22PC1IT201 UNIT - III OOP Through Java

Catch Multiple Exceptions


• In some cases, we need to handle two or more different exceptions but take the same action for all.
• It is possible for a single catch block to catch multiple exceptions by separating each with | (pipe
symbol) in the catch block.
• Catching multiple exceptions in a single catch block reduces code duplication and increases efficiency.
• Syntax:
try {
// code
}
catch (ExceptionType1 | Exceptiontype2 ex){
// catch block
}
• Example:
class Catch_Multiple_Exceptions
{
public static void main(String args[]){
Scanner sc=new Scanner(System.in);
try {
System.out.println("Enter a value");
int a=sc.nextInt( );
System.out.println("Enter b value");
int b=sc.nextInt( );
int c=a/b;
System.out.println("Division a/b is "+c);
}
catch(ArithmeticException | InputMismatchException ae) {
System.out.println("Please enter valid input");
}
}
}

Output:
Enter a value
4
Enter b value
0
Please enter valid input

8
22PC1IT201 UNIT - III OOP Through Java

Nested try Statements:


• A try statement can be inside the block of another try is called nested try.
• Each time a try statement is entered, the context of that exception is pushed on the stack.
• If an inner try statement does not have a catch handler for a particular exception, the stack is unwound
and the next try statement’s catch handlers are inspected for a match.
• This continues until one of the catch statements succeeds, or until all of the nested try statements are
exhausted.
• If no catch statement matches, then the Java run-time system will handle the exception.

Example: An example of nested try statements.


class NestTry
{
public static void main(String args[])
{
try
{
int a = args.length;
int b = 42 / a; // generate division by zero
System.out.println("a = " + a);
try {
if(a==1)
a = a/(a-a); // generate division by zero
if(a==2)
{
int c[] = { 1 };
c[42] = 99; // generate an out-of-bounds exception
}
}
catch(ArrayIndexOutOfBoundsException e)
{
System.out.println("Array index out-of-bounds: " + e);
}
}
catch(ArithmeticException e)
{
System.out.println("Divide by 0: " + e);
}
}
}
Output: Divide by 0: java.lang.ArithmeticException: / by zero

9
22PC1IT201 UNIT - III OOP Through Java

Java Custom Exception


• Creating our own Exception is known as custom exception or user-defined exception.
• we can create our own exceptions that are derived classes of the Exception class.
• Java custom exceptions are used to customize the exception according to user need.
• Syntax: class Class_Name extends Exception {
//data & code
}

Example: The amount entered by the user at the ATM is tested in the example below.

import java.util.Scanner;
class BankException extends Exception{
BankException(String msg){
super(msg);
}
}
class ATM
{
public static void test(int amount) throws BankException {
if(amount < 100)
throw new BankException("Invalid amount :Rs."+amount+"\nAmount must be greater than or
equal to 100");
else
System.out.println("Transaction successful");
}
public static void main(String args[]){
try {
Scanner input = new Scanner(System.in);
System.out.println("Enter amount to withdraw");
int amount = input.nextInt();
test(amount);
} catch (BankException e) {
System.out.println(e);
}
}
}

Output1:
Enter amount to withdraw
50
BankException: Invalid amount :Rs.50
Amount must be greater than or equal to 100

Output2:
Enter amount to withdraw
500
Transaction successful

10
22PC1IT201 UNIT - III OOP Through Java

Try-with Resources
• A resource is as an object that must be closed after finishing the program.
• The try-with-resources statement ensures that each resource is closed at the end of the statement
execution i.e., there is no need to call close( ) explicitly.
• This feature also called as ARM (automatic resource management).
• Automatic resource management is based on an expanded form of the try statement.
• Syntax: try (resource-specification) {
// use the resource
}
• Here, resource-specification is a statement that declares and initializes a resource, such as a file stream.
• The try-with-resources statement can be used only with those resources that implement the
AutoCloseable interface defined by java.lang.
• AutoCloseable is inherited by the Closeable interface in java.io. Both interfaces are implemented by the
stream classes.
• Example: Demonstrate the try-with-resource mechanism with FileInputStream
import java.io.*;
class TryWithResource {
public static void main(String[] args) {
int i;
try(FileInputStream fin = new FileInputStream("C:/personal/Sample.java")) {
while ((i=fin.read()) != -1){
System.out.print((char) i);
}
} catch(FileNotFoundException e) {
System.out.println("File Not Found.");
} catch(IOException e) {
System.out.println("An I/O Error Occurred");
}
}
}

11
22PC1IT201 UNIT - III OOP Through Java

Exceptions propagation
• An exception is first thrown from the top of the stack and if it is not caught, it drops down the call stack
to the previous method.
• If not caught there, the exception again drops down to the previous method, and so on until they are
caught or until they reach the very bottom of the call stack. This is called exception propagation.
• Example: Demonstrate the exception propagation.
class ExceptionPropagationDemo {
void m( ){
int data=50/0;
}
void n( ){
m();
}
void p( ){
try{
n( );
}catch(Exception e){
System.out.println("exception handled");
}
}
public static void main(String args[]){
ExceptionPropagationDemo obj=new ExceptionPropagationDemo( );
obj.p();
System.out.println("normal flow...");
}
}
Output:
exception handled
normal flow...

Exception can be handled in any method in call stack either in the main( ) method, p( ) method, n( ) method
or m() method.

Note:
By default, Unchecked Exceptions are forwarded in calling chain (propagated) and Checked Exceptions are
not forwarded in calling chain (propagated).

12
22PC1IT201 UNIT - III OOP Through Java

Chained Exceptions
• chained exception is a technique that enables programmers to associate one Exception with another.
• For example, consider a method which throws an ArithmeticException because of an attempt to divide
by zero but the actual cause of exception was an I/O error which caused the divisor to be zero.
• The method will throw the ArithmeticException to the caller. The caller would not know about the actual
cause of an Exception.
• Chained Exception helps to identify a situation in which one exception causes another Exception.
• To allow chained exceptions, two constructors and two methods were added to Throwable.
Throwable(Throwable causeExc)
Throwable(String msg, Throwable causeExc)
• The chained exception methods supported by Throwable are
getCause( ) This method returns the actual cause associated with current Exception.
initCause( ) It sets an underlying cause with invoking Exception.
• Example:
import java.io.IOException;
class ObjectDemo {
public static void main(String[] args) {
try {
int num = 5/0;
} catch (ArithmeticException e) {
System.out.println("Caught :"+e);
e.initCause(new IOException("Invalid input",e));
System.out.println("Actual Cause :"+e.getCause());
}
}
}
Output:
Caught :java.lang.ArithmeticException: / by zero
Actual Cause :java.io.IOException: Invalid input

Non-chained exceptions Chained exceptions


An exception occurs and is caught at the point The original cause of the Exception is preserved and
where it occurs without any reference to the reported along with the current Exception.
original cause of the Exception.
A lack of reference to the original cause can Chained exceptions provide more context to the Exception
make debugging and troubleshooting more and make it easier to identify and fix the root cause of the
challenging. problem.
Suitable for small programs or simple systems Particularly useful in large programs or complex systems
where exceptions are limited and easy to where exceptions can be thrown across different
identify components, as it can help identify where the problem
first occurred and how it propagated through the system

Limitations:
✓ Can we write methods in catch block? No
✓ Can we call method in catch block in Java? Yes
✓ Can we write try inside a try block? Yes
✓ Can I use finally without try? No
✓ Can we write multiple try blocks? No
✓ Can we write multiple catch blocks? Yes
✓ Can we write a try block without catch in Java? Yes
✓ Can we have two finally block in Java? No
✓ Can catch return value? Yes
13
22PC1IT201 UNIT - III OOP Through Java

I/O, Generics and Other Topics


The Streams (Byte, Character, and Standard)
• A stream is a sequence of data that can be read from or written to.
• A stream is an abstraction that either produces or consumes information.
• The same I/O classes and methods can be applied to different types of devices.
• This means that an input stream can abstract many different kinds of input: from a disk file, a keyboard,
or a network socket.
• Likewise, an output stream may refer to the console, a disk file, or a network connection.
• The stream-based I/O defined in java.io package.

Byte Stream
• A byte stream in Java is a sequence of bytes used by programs to input and output information.
• Byte streams are used to read bytes from the input stream and write bytes to the output stream.
• In Java, the byte streams are defined by two abstract classes, InputStream and OutputStream.

Character Stream
• A character stream in Java is a sequence of 16-bit Unicode characters. It is used to read and write data
character by character.
• The classes Reader and Writer are used to implement character streams.
Standard Stream
• In Java, the standard streams are referred to by System.in (for stdin), System.out (for stdout), and
System.err (for stderr).
• System.in: This is used to read data from user through input devices. Keyboard is used as standard
input stream and represented as System.in.
• System.out: This is used to project data (results) to the user through output devices. A computer
screen is used for standard output stream and represented as System.out.
• System.err: This is used to output the error data produced by the user's program and usually a
computer screen is used for standard error stream and represented as System.err.

14
22PC1IT201 UNIT - III OOP Through Java

InputStream and OutputStream classes


• InputStream is an abstract class uses an input stream to read data from a source; it may be a file, an
array, peripheral device or socket.
• OutputStream is an abstract class uses an output stream to write data to a destination; it may be a file, an
array, peripheral device or socket.

methods of InputStream

methods of OutputStream

15
22PC1IT201 UNIT - III OOP Through Java

Table: The Byte Stream Classes in java.io

16
22PC1IT201 UNIT - III OOP Through Java

Table: The Character Stream I/O Classes in java.io

17
22PC1IT201 UNIT - III OOP Through Java

Reading and Writing Files


• Java provides a number of classes and methods that allow you to read and write files.
• The most often-used stream classes are FileInputStream and FileOutputStream, which create byte
streams linked to files available in Byte Stream classes.
• We often-used stream classes are FileReader and FileWriter, which create character streams linked to
files available in Character Stream classes.
Open File:
• To open a file, you simply create an object of one of these classes, specifying the name of the file as
an argument to the constructor.
• Syntax: FileInputStream(String fileName) throws FileNotFoundException
FileOutputStream(String fileName) throws FileNotFoundException
Here, fileName specifies the name of the file that you want to open.
Note: It also supports another constructor also.
• When the file does not exist or cannot be opened or created then FileNotFoundException is thrown.
• When an output file is opened, any preexisting file by the same name is destroyed.

Reading and Writing file


1. Reading file:
➢ read( ) method is used to read of data from the file and returns the byte as an integer value.
➢ read( ) returns –1 when the end of the file is encountered. It can throw an IOException.
➢ Various forms of read methods are as follows.
➢ Syntax: int read( ) throws IOException
int read(byte[] b) throws IOException
int read(byte[] b, int off, int len) throws IOException
2. Writing file:
➢ write( ) method used to writes the byte specified by byteval to the file.
➢ Although byteval is declared as an integer, only the low-order eight bits are written to the file.
➢ It can throw an IOException.
➢ Syntax: void write(int byteval) throws IOException
void write(byte[] b) throws IOException
void write(byte[] b, int off, int len) throws IOException
Closing File:
➢ close( ) method is used to closes the stream.
➢ close( ) is called explicitly when the file is no longer needed.
➢ Syntax: void close( )

18
22PC1IT201 UNIT - III OOP Through Java

Example: Demonstrate the reading data from file


import java.io.*;
class FileDemo{
public static void main(String[] args){
try{
FileInputStream fin = new FileInputStream("input.txt");
System.out.println("File Content...");
int b ;
do{
b = fin.read();
System.out.print((char)b);
}while(b != -1);
fin.close( );
System.out.println("\nFile Reading Completed.");
}catch(IOException ie){
System.out.println("Invalid File");
}
}
}

Example: Demonstrate the writing into file


//File Writing
import java.io.*;
import java.util.Scanner;
class FileDemo{
public static void main(String[] args){
try{
FileOutputStream fout = new FileOutputStream("input2.txt");
Scanner sc = new Scanner(System.in);
System.out.println("Enter Content(. to stop)");
char b=' ';
while( b != '.'){
b = sc.next( ).charAt(0);
fout.write(b);
}
fout.close( );
System.out.println("\nFile Writing Completed.");
}catch(IOException ie){
System.out.println("Invalid File");
}
}
}

19
22PC1IT201 UNIT - III OOP Through Java

Example: Demonstrate the copy the content from one file to another file
import java.io.*;
import java.util.Scanner;
class FileDemo{
public static void main(String[] args){
try{
FileInputStream fin = new FileInputStream("input.txt");
FileOutputStream fout = new FileOutputStream("output.txt");

System.out.println("Content copy started");


int b= fin.read();
while( b != -1){
fout.write(b);
b = fin.read();
}
fin.close( );
fin.close( );
System.out.println("\nContent copy successfull");
}catch(IOException ie){
System.out.println("Invalid File");
}
}
}

20
22PC1IT201 UNIT - III OOP Through Java

Random access file operations


• This class support both reading and writing to a random-access file.
• A random-access file behaves like a large array of bytes stored in the file system.
• There is a kind of cursor, or index into the implied array, called the file pointer; input operations read
bytes starting at the file pointer and advance the file pointer past the bytes read.
• Syntax: public class RandomAccessFile extends Object
implements DataOutput, DataInput, Closeable
Constructors:
Constructor Description
RandomAccessFile(File file, String mode) Creates a random-access file stream to read from, and
throws FileNotFoundException optionally to write to, the file specified by
the File argument.
RandomAccessFile(String name, String mode) Creates a random-access file stream to read from, and
throws FileNotFoundException optionally to write to, a file with the specified name.

The mode argument specifies the access mode in which the file is to be opened.
The permitted values and their meanings are:
Value Meaning
Open for reading only. Invoking any of the write methods of the resulting object will cause
r
an IOException to be thrown.
Open for reading and writing. If the file does not already exist then an attempt will be made to
rw
create it.
rws Open for reading and writing, as with "rw", and also require that every update to the file's content or
metadata be written synchronously to the underlying storage device.
Open for reading and writing, as with "rw", and also require that every update to the file's content be
rwd
written synchronously to the underlying storage device.

Method Summary
Method Description
Closes this random access file stream and releases any system resources
void close( )
associated with the stream.
FileChannel getChannel( ) Returns the unique FileChannel object associated with this file.
FileDescriptor getFD() Returns the opaque file descriptor object associated with this stream.
long getFilePointer() Returns the current offset in this file.
long length() Returns the length of this file.
int read() Reads a byte of data from this file.
int read(byte[] b) Reads up to b.length bytes of data from this file into an array of bytes.
int read(byte[] b, int off, int len) Reads up to len bytes of data from this file into an array of bytes.
boolean readBoolean() Reads a boolean from this file.
byte readByte() Reads a signed eight-bit value from this file.
char readChar() Reads a character from this file.
double readDouble() Reads a double from this file.
float readFloat() Reads a float from this file.
Reads b.length bytes from this file into the byte array, starting at the
void readFully(byte[] b)
current file pointer.
void readFully(byte[] b, int off, Reads exactly len bytes from this file into the byte array, starting at the
int len) current file pointer.
21
22PC1IT201 UNIT - III OOP Through Java

int readInt() Reads a signed 32-bit integer from this file.


String readLine() Reads the next line of text from this file.
long readLong() Reads a signed 64-bit integer from this file.
short readShort() Reads a signed 16-bit number from this file.
int readUnsignedByte() Reads an unsigned eight-bit number from this file.
int readUnsignedShort() Reads an unsigned 16-bit number from this file.
string readUTF() Reads in a string from this file.
Sets the file-pointer offset, measured from the beginning of this file, at
void seek(long pos)
which the next read or write occurs.
void setLength(long newLength) Sets the length of this file.
int skipBytes(int n) Attempts to skip over n bytes of input discarding the skipped bytes.
Writes b.length bytes from the specified byte array to this file, starting at
voidwrite(byte[] b)
the current file pointer.
void write(byte[] b, int off, Writes len bytes from the specified byte array starting at offset off to this
int len) file.
void write(int b) Writes the specified byte to this file.
void writeBoolean(boolean v) Writes a boolean to the file as a one-byte value.
void writeByte(int v) Writes a byte to the file as a one-byte value.
void writeBytes(String s) Writes the string to the file as a sequence of bytes.
void writeChar(int v) Writes a char to the file as a two-byte value, high byte first.
void writeChars(String s) Writes a string to the file as a sequence of characters.
Converts the double argument to a long using
void writeDouble(double v) the doubleToLongBits method in class Double, and then writes
that long value to the file as an eight-byte quantity, high byte first.
Converts the float argument to an int using the floatToIntBits method in
void writeFloat(float v) class Float, and then writes that int value to the file as a four-byte
quantity, high byte first.
void writeInt(int v) Writes an int to the file as four bytes, high byte first.
void writeLong(long v) Writes a long to the file as eight bytes, high byte first.
void writeShort(int v) Writes a short to the file as two bytes, high byte first.
Writes a string to the file using modified UTF-8 encoding in a machine-
void writeUTF(String str)
independent manner.

Example: Demonstrate the RandomAccessFile


import java.io.*;
class FileDemo{
public static void main(String[] args) throws IOException{
try{
RandomAccessFile rac = new RandomAccessFile("data.txt","rw");
int d;
byte[] roll = {1,2,3,4,5,6,7,8,9,10};
//reading from data.txt file
while((d = rac.read()) != -1){
System.out.print((char)d);
}
//writing roll no into data.txt file

22
22PC1IT201 UNIT - III OOP Through Java

for(int i=0;i<roll.length;i++){
rac.write(roll[i]);
}
rac.close();

}catch(Exception e){System.out.println(e.getMessage());}
}
}

23
22PC1IT201 UNIT - III OOP Through Java

Generics
• The term generics means parameterized types.
• Generics added the type safety that was lacking.
• Generic type parameters are represented by using angular brackets (< >).
• Generics are a powerful feature of Java that can help to make code more reusable and type-safe.
• Java has ability to create generalized classes, interfaces, and methods by operating through references of
type Object.
Characteristics
• It is possible to create classes, interfaces, and methods that will work in a type-safe manner with various
kinds of data.
• The type argument passed to the type parameter must be a reference type. You cannot use a primitive
type, such as int or char.
• Generic types are that a reference of one specific version of a generic type is not type compatible with
another version of the same generic type.
• Advantages are Type-safety, Type casting is not required, and Compile-Time Checking.
• Here are some naming conventions for generic parameters in Java:

✓ E: - Element,
✓ K: - Key
✓ N: - Number
✓ T: - Type
✓ V: - Value
✓ S, U, V, etc.: - 2nd, 3rd, 4th types
It's important to follow these naming conventions to make your code more readable and maintainable.

24
22PC1IT201 UNIT - III OOP Through Java

Generic method
• A method to be declared that uses one or more type parameters of its own is called generic method.
• The generic method declaration is similar to non-generic method with type parameters.
• The type parameter was placed before the return type.
• Syntax: < type-param-list > return_type method_name(type-param-list) {
//body
}
• It is also possible to create a generic method that is enclosed within a non-generic class.
• Example: Demonstrate the Generic Method.
class GenericDemo {
<T> void display(T []arr){
System.out.print("Data is :");
for(T ele:arr){
System.out.print(ele +" ");
}
System.out.println();
}
}
class Main{
public static void main(String[] args) {
Integer[] num = {1,2,3,4,5};
Character[] alphabets = {'a','b','c','d'};
String[] fruits = {"Apple", "Mango","Orange","Banana"};
GenericDemo obj1 = new GenericDemo();
obj1.display(num);
obj1.display(alphabets);
obj1.display(fruits);
}
}

Output:
Data is :1 2 3 4 5
Data is :a b c d
Data is :Apple Mango Orange Banana

25
22PC1IT201 UNIT - III OOP Through Java

Generics class
• A generic class is implemented exactly like a non-generic class. The only difference is that it contains a
type parameter section.
• There can be more than one type of parameter, separated by a comma.
• The classes, which accept one or more parameters, are known as parameterized classes or
parameterized types.
• we use < > to specify parameter types in generic.
• Syntax for declaration: class class-name < type-param-list > {
// data & code
}
• Syntax for Instantiation:
class-name<type-arg-list> var-name = new class-name<type-arg-list> (cons-arg-list);
• Example: Demonstrate the Generic class with single parameter
class GenericDemo<T> {
T obj;
GenericDemo(T obj){
this.obj = obj;
}
void display(){
System.out.println("Type is :"+obj.getClass().getTypeName());
System.out.println("Data is :"+obj);
}
}
class Main{
public static void main(String[] args) {
GenericDemo<Integer> obj1 = new GenericDemo<Integer>(10);
obj1.display();

GenericDemo<String> obj2 = new GenericDemo<String>("Welcome");


obj2.display();

GenericDemo<Double> obj3 = new GenericDemo<Double>(56.45);


obj3.display();
}
}

Output:
Type is :java.lang.Integer
Data is :10
Type is :java.lang.String
Data is :Welcome
Type is :java.lang.Double
Data is :56.45

26
22PC1IT201 UNIT - III OOP Through Java

• Example: Demonstrate the Generic class with two parameters.


class GenericDemo<T,S> {
T obj1;
S obj2;
GenericDemo(T obj1, S obj2){
this.obj1 = obj1;
this.obj2 = obj2;
}
void display(){
System.out.println("Types are "+obj1.getClass().getTypeName()+"
and "+obj2.getClass().getName());
System.out.println("Data is :"+obj1+" and "+obj2);
}
}
class Main{
public static void main(String[] args) {
GenericDemo<Integer,String> obj1 =
new GenericDemo<Integer,String>(10,"Welcome");
obj1.display();

GenericDemo<String, Double> obj2 =


new GenericDemo<String, Double>("Apple",98.6);
obj2.display();
}
}

Output:
Types are :java.lang.Integer and java.lang.String
Data is :10 and Welcome
Types are :java.lang.String and java.lang.Double
Data is :Apple and 98.6

Generic Constructors
• It is possible for constructors to be generic, even if their class is not.
• For generic constructors after the public keyword and before the class name the type parameter must
be placed.
• Constructors can be invoked with any type of a parameter after defining a generic constructor.
• Example: Demonstrate the generic constructor.
class GenericConstructor {
<T> GenericConstructor(T value) {
System.out.println("Value : " + value);
}

public static void main(String[] args) {


GenericConstructor obj1 = new GenericConstructor(50);
GenericConstructor obj2 = new GenericConstructor(99.5);
}
} Output
Value : 10
Value : 136.8
27
22PC1IT201 UNIT - III OOP Through Java

Generic interfaces
• Generic interfaces are specified just like generic classes.
• Generic Interfaces in Java are the interfaces that deal with abstract data types.
• Interface help in the independent manipulation of java collections from representation details.
• Example: Demonstrate the generic interface
interface GenInterface<T extends Comparable<T>>{
T min(T a, T b);
T max(T a, T b);
}
class GenericDemo<T extends Comparable<T>> implements GenInterface<T> {
@Override
public T min(T a, T b) {
if(a.compareTo(b)<0)
return a;
else
return b;
}
@Override
public T max(T a, T b) {
if(a.compareTo(b)>0)
return a;
else
return b;
}
}
public class Main {
public static void main(String[] args) {
GenericDemo<Integer> obj = new GenericDemo< Integer >();
System.out.println("Minimum value :"+obj.min(10,20));
System.out.println("Maximum value :"+obj.max(10,20));

GenericDemo<String> obj2 = new GenericDemo< String >();


System.out.prinztln("Minimum value:"+obj2.min("Mango","Apple"));
System.out.println("Maximum value :"+obj2.max("Mango","Apple"));
}
}
Output:
Minimum value :10
Maximum value :20
Minimum value :Apple
Maximum value :Mango

28
22PC1IT201 UNIT - III OOP Through Java

Bound type parameter


• Bounded type parameters are the way to restrict the types that can be used as type arguments in a
parameterized type.
• This can be useful for ensuring that the code is safe and that the methods are used correctly.
• To declare a bounded type parameter, list the type parameter's name, followed by the extends keyword,
followed by its upper bound.
• Syntax: access class classname <T extends classname> {
// data & code
}
• Example: public class MyClass <T extends Number> {
// data & code
}
Here a bounded type parameter T that can only be used to represent subclasses of the Number class

Example: The following example will allow to find average of numbers only
class ArrayOperation<T extends Number>{
public double average(T a[]) {
double sum = 0;
for(int i=0; i<a.length; i++){
sum = sum + a[i].byteValue();
}
return sum/a.length;
}
}
class Main{
public static void main(String[] m){
Integer inums[] = { 1, 2, 3, 4, 5 };
ArrayOperation<Integer> iob = new ArrayOperation<Integer>();
double v = iob.average(inums);
System.out.println("iob average is " + v);
Double dnums[] = { 1.1, 2.2, 3.3, 4.4, 5.5 };
ArrayOperation<Double> dob = new ArrayOperation<Double>();
double w = dob.average(dnums);
System.out.println("dob average is " + w);
}
} Output:
iob average is 3.0
dob average is 7.5
29
22PC1IT201 UNIT - III OOP Through Java

Wildcard arguments
• Wildcard arguments are a special type of type argument that can be used to represent an unknown type.
• They are denoted by the question mark (?).
• There are three types of wildcards in Java:
1. Unbounded wildcards:
➢ These wildcards are represented by the question mark (?) and can be used to represent any type.
➢ Example : List<?> list = new ArrayList< >( );
➢ Here List can be any type.
2. Upper bounded wildcards:
➢ These wildcards are represented by the question mark (?) followed by a type parameter.
➢ They can be used to represent same type or its subtype of the specified type parameter.
➢ Example: List<? extends Number> list = new ArrayList< >( );
➢ Here List can be Number type or its sub types.
3. Lower bounded wildcards:
➢ These wildcards are represented by the question mark (?) followed by a type parameter. They can
be used to represent same type or its super type of the specified type parameter.
➢ Example: List<? super Integer> list = new ArrayList< >( );
➢ Here List can be Integer type or its super types.

30
22PC1IT201 UNIT - III OOP Through Java

Serialization
• Serialization is the process of converting the state of an object to a byte stream.
• This is useful when you want to save the state of your program to a persistent storage area, such as a file.
• Deserialization is a process of converting byte-stream into an object. It is reverse operation of
serialization.
• It is mainly used in Hibernate, RMI, JPA, EJB and JMS technologies.
• The serialization and deserialization process are platform-independent, it means you can serialize an
object on one platform and deserialize it on a different platform.
• We must have to implement the Serializable interface for serializing the object.
• The Serializable interface must be implemented by the class whose object needs to be persisted.
• For serializing the object, we call the writeObject() method of ObjectOutputStream class, and for
deserialization we call the readObject() method of ObjectInputStream class.

Example: Demonstrate the serialization and deserialization of Employee object.


import java.io.*;
class Employee implements Serializable{
String name;
int id;
Employee(String name, int id){
this.name = name;
this.id = id;
}
}
class FileDemo{
public static void main(String[] args) throws IOException{
try{
Employee emp1 = new Employee("Rajesh", 1);
Employee emp2 = new Employee("Krish", 2);
Employee emp3 = new Employee("Lakshmi", 3);

// Serialization
FileOutputStream fout = new FileOutputStream("Mydata.txt");
ObjectOutputStream out = new ObjectOutputStream(fout);
out.writeObject(emp1);
out.writeObject(emp2);
out.writeObject(emp3);
out.flush();
out.close();
System.out.println("Serialization of Employee records completed");

31
22PC1IT201 UNIT - III OOP Through Java

// Deserialization
FileInputStream fin = new FileInputStream("Mydata.txt");
ObjectInputStream in = new ObjectInputStream(fin);
Employee e=null;
System.out.println("Employee records are...");
while( fin.available() > 0){
e = (Employee)in.readObject();
System.out.println("Id :"+e.id+" Name :"+e.name);
}
System.out.println("Deserialization of Employee records completed");
in.close();
}catch(Exception e){
System.out.println(e.getMessage());
}
}
}

Output:
Serialization of Employee records completed
Employee records are...
Id :1 Name :Rajesh
Id :2 Name :Krish
Id :3 Name :Lakshmi
Deserialization of Employee records completed

32
22PC1IT201 UNIT - III OOP Through Java

Annotations
• Annotations is a tag that provides additional information about the program to the compiler and JVM but
are not part of the program itself.
• These annotations do not affect the execution of the compiled program.
• An annotation can be applied to classes, interfaces, variables, methods, or fields.
• Annotation represented by symbol at sign (@).
• Annotations hierarchy as follows

Advantages
✓ Annotations can be used to provide additional information about the program to the compiler.
✓ Annotations can be used to mark methods and classes as deprecated.
✓ Annotations can be used to inject dependencies into objects.

There are 5 types of annotations:


1. Marker Annotations
• An annotation that has no method, is called Marker annotations.
• These are used to mark elements of code with a particular purpose.
• For example, the @Override annotation is a marker annotation that is used to indicate that a method
overrides a method from a superclass.
• Advantages:
✓ To indicate that a method overrides a method from a superclass.
✓ To indicate that a field is a constant.
✓ To indicate that a class is a singleton.
✓ To indicate that a method is deprecated.

2. Single value Annotations


• An annotation that has one method, is called single-value annotation.
• These annotations contain only one member and allow a shorthand form of specifying the value of
the member.
• Example: @TestAnnotation(“testing”);

3. Full Annotations
• These annotations consist of multiple data members, names, values, pairs.
• Example: @TestAnnotation(owner=”Rahul”, value=”Class Geeks”)

33
22PC1IT201 UNIT - III OOP Through Java

4. Type Annotations
• Type annotations are optional notations that specify the type of a function result or parameter.
• They are used to indicate the data types of variables and input/outputs.
• Type annotations help the compiler check the types of variables and avoid errors when dealing with
data types.
• They also tell the programmer what kind of data to pass to the function, and what kind of data to
expect when the function returns a value.
• These are declared annotated with @Target annotation.
• Example:
import java.lang.annotation.ElementType;
import java.lang.annotation.Target;

// Using target annotation to annotate a type


@Target(ElementType.TYPE_USE)

// Declaring a simple type annotation


@interface TypeAnnoDemo{}

public class GFG {


public static void main(String[] args) {
@TypeAnnoDemo String string = "I am annotated with a type annotation";
System.out.println(string);
abc();
}
static @TypeAnnoDemo int abc() {
System.out.println("This function's return type is annotated");
return 0;
}
}

5. Repeating Annotations
• These are the annotations that can be applied to a single item more than once.
• For an annotation to be repeatable it must be annotated with the @Repeatable annotation

34
22PC1IT201 UNIT - III OOP Through Java

The Built-In Annotations


Java defines many built-in annotations.But nine are general purpose.
All are available in java.lang package.
1. @Retention
2. @Documented
3. @Target
4. @Inherited
5. @Override
6. @Deprecated
7. @FunctionalInterface
8. @SafeVarargs
9. @SuppressWarnings

@Retention: @Retention is designed to be used only as an annotation to another annotation. It specifies the
retention policy as described earlier in this chapter.

@Documented: The @Documented annotation is a marker interface that tells a tool that an annotation is to
be documented. It is designed to be used only as an annotation to an annotation declaration.

@Target: The @Target annotation specifies the types of items to which an annotation can be applied. It is
designed to be used only as an annotation to another annotation. @Target takes one argument, which is an
array of constants of the ElementType enumeration.

You can specify one or more of these values in a @Target annotation. To specify multiple values, you must
specify them within a braces-delimited list. For example, to specify that an annotation applies only to fields
and local variables
@Target( { ElementType.FIELD, ElementType.LOCAL_VARIABLE } )

@Inherited: @Inherited is a marker annotation that can be used only on another annotation declaration.
@Inherited causes the annotation for a superclass to be inherited by a subclass.

@Override: @Override is a marker annotation that can be used only on methods. A method annotated with
@Override must override a method from a superclass. If it doesn’t, a compile-time error will result.
@Deprecated: @Deprecated is a marker annotation. It indicates that a declaration is obsolete and has been
replaced by a newer form.

35
22PC1IT201 UNIT - III OOP Through Java

@FunctionalInterface: @FunctionalInterface is a marker annotation added by JDK 8 and designed for use
on interfaces. It indicates that the annotated interface is a functional interface. A functional interface is an
interface that contains one and only one abstract method.

@SafeVarargs: @SafeVarargs is a marker annotation that can be applied to methods and constructors. It
indicates that no unsafe actions related to a varargs parameter occur. It is used to suppress unchecked
warnings on otherwise safe code as it relates to non-reifiable vararg types and parameterized array
instantiation. It must be applied only to vararg methods or constructors that are static or final.

@SuppressWarnings: @SuppressWarnings specifies that one or more warnings that might be issued by the
compiler are to be suppressed. The warnings to suppress are specified by name, in string form.

36
22PC1IT201 UNIT - III OOP Through Java

Model Question
2-marks questions
1. Define exception and write reasons for exception.
2. Differentiate exception and error.
3. Differentiate checked and unchecked exception.
4. How to handled the exceptions in java?
5. Differentiate throw and throws.
6. What is the use of finally keyword?
7. What is nested try statement?
8. Is it possible to handle multiple exception? Justify your answer.
9. Define custom exception and write how it is created.
10. What is chained exception?
11. What is the use of try-with resource?
12. Define exception propagation.
13. Define stream and list the different streams in java.
14. Lis the different classes to handle files in java.
15. What is the use of RandomAccessFile class?
16. Define generics and writes its characteristics.
17. What is bounded type parameter? How does it achieve?
18. Wild card arguments?
19. Define serialization and write its uses.
20. What is annotation and writes its uses.
21. List and define some build-in annotations.

Essay Questions
1. Define exception. Explain exception handling mechanism in java with suitable example.
2. Define custom exception. Explain creation of custom exception in java with suitable example.
3. Write about throw and throws keyword with suitable example.
4. How to handle multiple exceptions in java explain with suitable example
5. Describe the advantages of streams in JAVA. List different types of byte and character stream classes.
Explain briefly.
6. Define generics. Explain generic method with an example.
7. List the advantages of generics and explain generic class with two type parameters.
8. Define serialization and explain with an example program.
9. Define annotation and explain different types of annotations.

37

You might also like