Java Basics for Beginners
Java Basics for Beginners
Topics
• What is Java
• Features of Java
• JDK JRE & JVM
• Object, Class and Method
• Naming Convention in Java.
• Decision Making in Java.
• Java Variables.
• Java Return Type.
• Constructors in Java.
• Static keyword in java.
• Static Blocks.
• Static in Java.
• Static Class.
• This keyword in java
• Inheritance in Java
• Aggregation in Java
• Java Polymorphism
• Method Overloading
• Method Overriding in Java
• Interface in Java
• Abstract classes
• Access Modifier
• Java Enum
• Type conversion in Java with Examples
• Final Keyword In Java
• Runtime Polymorphism in Java
• Static Binding and Dynamic Binding
• Java instance of
• Encapsulation in Java
• What is Abstraction
• Wrapper classes in Java
• String In Java
• Java String Buffer class
• Java StringBuilder class
• Exception in Java
• throw exception in java
• throws Keyword
• Collections in Java
• List
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
• Set
• Queue
• Map
• Cloning in java
• Java Anonymous inner class
• Comparable in java
• Comparator in java
• Hashing in Java
• Multithreading in java
• Others topic will be updated soon….
What is Java
Java is a programming language first released by Sun Microsystems in 1995. There are lots
of applications and websites that will not work unless you have Java installed. Java is fast,
secure, and reliable. It is one of the most used programming languages.
Features of Java
There is given many features of java. The Java Features given below are simple and easy to
understand.
1. Simple
2. Object-Oriented
3. Portable
4. Platform independent
5. Secured
6. Robust
7. Architecture neutral 8. Dynamic
8. Interpreted
9. High Performance
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
10. Multithreaded
11. Distributed
1. Simple
Java is easy to learn and its syntax is quite simple, clean and easy to understand. The
confusing and ambiguous concepts of C++ are either left out in Java or they have been re-
implemented in a cleaner way.
E.g. : Pointers and Operator Overloading are not there in java but were an important part of
C++.
2. Object-Oriented
In java, everything is Object which has some data and behaviour. Java can be easily
extended as it is based on Object Model.
3. Portable
Java Byte code can be carried to any platform. No implementation dependent features.
Everything related to storage is predefined, example: size of primitive data types
4. platform independent
Unlike other programming languages such as C, C++ etc which are compiled into platform
specific machines. Java is guaranteed to be write-once, runanywhere language.
5. Secure
When it comes to security, Java is always the first choice. With java secure features it
enables us to develop virus free, temper free system. Java program always runs in Java
runtime environment with almost null interaction with system OS, hence it is more secure.
6. Robust
Java makes an effort to eliminate error prone codes by emphasizing mainly on compile time
error checking and runtime checking. But the main areas which Java improved were
Memory Management and mishandled Exceptions by introducing automatic Garbage
Collector and Exception Handling.
7. Architecture neutral
Compiler generates bytecodes, which have nothing to do with a particular computer
architecture, hence a Java program is easy to interpret on any machine.
8. High Performance
9. Multithreaded
A thread is like a separate program, executing concurrently. We can write Java programs
that deal with many tasks at once by defining multiple threads. The main advantage of
multi-threading is that it doesn't occupy memory for each thread. It shares a common
memory area. Threads are important for multimedia, Web applications etc.
10. Distributed
We can create distributed applications in java. RMI and EJB are used for creating distributed
applications. We may access files by calling the methods from any machine on the internet.
• JRE – Java Runtime Environment (to say JRE) is an installation package which
provides environment to only run (not develop) the java program (or
application) onto your machine. JRE is only used by them who only wants to
run the Java Programs i.e. end users of your system.
• JVM – Java Virtual machine(JVM) is a very important part of both JDK and JRE
Difference between JDK, JRE and JVM. To understand the difference between
these three, let us consider the following diagram. JVM Architecture
Heap Memory:
1) JVM Heap Area can be used for storing all the objects that are created.
It is the main memory of JVM , all objects of classes :- non static variables
memory are created in this run time area.
2) This runtime area memory is finite memory.
3) This area can be configured at the time of setting up of runtime environment
using non-standard option like
java -xms <size> class-name.
4) This can be expandable by its own , depending on the object creation.
5) Method area and Heap area both are sharable memory areas.
1) The java code will be executed by both interpreter and JIT compiler
simultaneously which will reduce the execution time and them by providing
high performance. The code that is executed by JIT compiler is called as
HOTSPOTS (company).
If we make 5 Object of same class, each object will have one copy of attributes/Behaviour
int age;
}
public static void main(String[] args)
Java main method is the entry point of any java program. Its syntax is always public static
void main(String[] args). You can only change the name of String array argument, for
example you can change args to myStringArgs.
Also String array argument can be written as String... args or String args[].
Public
This is the access modifier of the main method. It has to be public so that java runtime can
execute this method. Remember that if you make any method non-public then it’s not
allowed to be executed by any program, there are some access restrictions applied. So it
means that the main method has to be public.
Static
When java runtime starts, there is no object of the class present. That’s why the main
method has to be static so that JVM can load the class into memory and call the main
method. If the main method won’t be static, JVM would not be able to call it because there
is no object of the class is present
Void
Java programming mandates that every method provide the return type. Java main method
doesn’t return anything, that’s why it’s return type is void. This has been done to keep
things simple because once the main method is finished executing, java program
terminates. So there is no point in returning anything, there is nothing that can be done for
the returned object by JVM. If we try to return something from the main method, it will give
compilation error as an unexpected return value.
package ClassExample;
public class Example1 {
package classExample;
public class Example1 {
int age;
static final int MAX_AGE = 18;
if statement is the most simple decision making statement. It is used to decide whether a
certain statement or block of statements will be executed or not i.e if a certain condition is
true then a block of statement is executed otherwise not.
If
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
If else
package controlStatements;
public class IfElseExample {
package controlStatements;
public class IfElseExample1 {
else{
System.out.println("Invalid data");
}
}
}
switch-case
switch-case The switch statement is a multiway branch statement. It provides an easy way
to dispatch execution to different parts of code based on the value of the expression.
}
package controlStatements;
public class SwitchCaseExample1 {
For-each Loop
package controlStatements;
public class ForEachLoopExample {
System.out.println("============");
int i = 5;
while (i <= 10) {
System.out.println(i);
i++;
}
}
}
package controlStatements;
public class WhileExam {
while(true){
System.out.println("while loop is running in infinitive");
}
}
}
Indefinite While Loop
Flood example, let's look at a measure of danger. If we start with a danger rate of 2% per
minute, how long will it take to reach 100%? Our while loop will run as long as the total
danger rate is less than 100%:
package controlStatements;
public class WhileLoopExample2 {
public static void main(String[] args) {
final double danger_rate = .02;
int minute;
minute = 0;
double total_danger = 0;
while (total_danger <= 1) {
total_danger = danger_rate * minute;
minute++;
}
Java Break
package controlStatements;
public class BreakExample1 {
}
package controlStatements;
public class BreakExample2 {
public static void main(String[] args) {
int array[] = { 120, 230, 404, 560, 708 };
package controlStatements;
public class BreakExample3 {
public static void main(String[] args) {
int array[] = { 120, 230, 404, 560, 708 };
for (int i = 0; i < array.length; i++) {
for (int j = 0; j < array.length; j++) {
System.out.println(array[j]);
if (array[j] == 560) {
break;
}
}
break;
}
}
}
Java Continue Statement
The Java Continue statement is one of the most useful statement to controls the flow of
loops. We generally use this statement inside the For Loop, While Loop and Do While Loop.
While executing these loops, if compiler find the Java Continue statement inside them, it
will stop the current loop iteration and starts the new iteration from the beginning.
package controlStatements;
public class ContinueExample1 {
package controlStatements;
public class ContinueExample2 {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public static void main(String[] args) {
for (int i = 0; i < 100; i++) {
if (i > 10) {
System.out.println("Skipped by continue value is=" + i);
continue;
}
System.out.println("value of i is=" + i);
}
}
}
Java Variables
Java Variable is place holder which holds the data of variable in memory. There are three
types of variables.
• Local
• Instance
• Static
package VariableDataType;
public class Example1 {
public int a = 90;
Default Value
Data Type Default size
FALSE
boolean 1 bit
'\u0000'
char 2 byte
0
byte 1 byte
0
short 2 byte
0
int 4 byte
0L
long 8 byte
0.0f
float 4 byte
0.0d
double 8 byte
byte: The byte data type is an 8-bit signed two’s complement integer. The byte data type is
useful for saving memory in large arrays.
• Size: 8-bit
• Value: -128 to 127
short: The short data type is a 16-bit signed two’s complement integer. Similar to byte, use
a short to save memory in large arrays, in situations where the memory savings actually
matters.
• Size: 16 bit
• Value: -32,768 to 32,767 (inclusive)
int
It is a 32-bit signed two’s complement integer.
• Size: 32 bit
• Value: -231 to 231-1
• -2,147,483,648 to 2,147,483, 647
• Size: 64 bit
• Value: -263 to 263-1.
• Size: 32 bits
• Suffix : F/f Example: 9.8f
double: The double data type is a double-precision 64-bit IEEE 754 floating point. For
decimal values, this data type is generally the default choice.
Note: Both float and double data types were designed especially for scientific calculations,
where approximation errors are acceptable. If accuracy is the most prior concern then, it is
recommended not to use these data types and use BigDecimal class instead.
Basically single precision floating point arithmetic deals with 32 bit floating point numbers
whereas double precision deals with 64 bit. The number of bits in double
precision increases the maximum value that can be stored as well as increasing
the precision
char
The char data type is a single 16-bit Unicode character. A char is a single character.
Java requires that a method declare the data type of the value that it returns. If a method
does not returna value, it must be declared to return void .
package ReturnTypeInJava;
public class Example1 {
private double d = 90.980;
private String s1 = "Test";
private int i = 90;
private float f = 2.80f;
private long l = 2l;
private char c = 'a';
private boolean b = true;
Default Constructor
package constructor;
public class Example1 {
public String name;
public int i;
Example1() {
}
Parameterized constructor
package constructor;
public class Book {
int length;
int breadth;
int height;
public Example3(int i) {
this.i = i;
System.out.println("Parameterized");
}
Example3() {
System.out.println("default");
}
package constructor;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example4 {
private Example4(){
System.out.println("default");
}
}
package constructor;
public class Example7 {
Example7() {
System.out.println("I am Example7()");
}
Example7(int i) {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
this();
System.out.println("I am Example7(int i)");
}
Example8(int i) {
this();
System.out.println("I am Example7(int i)");
}
Example8(int i, int j) {
this(5);
System.out.println("I am Example8(int i,int j) ");
}
public Example9(){
}
public Example9(String name, int age, String state) {
this.name = name;
this.age = age;
this.state = state;
}vg
public void display(){
}
}
Static keyword in java
1. blocks
2. variables
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
3. methods
4. nested classes
package staticBlock;
public class Example1 {
private static int a;
public static void test1() {
}
static {
System.out.println("this is sttaic block");
}
}
Static Blocks
If you want to do some calculation in order to initialise the static variables, we can declare
them in static block, and static block gets executed only once per class, when the class is
first loaded.
package staticBlock;
public class Example2 {
static {
System.out.println("Static block initialized.");
j = i * 2;
}
Static Variable
When you declare variable as static, then only one copy of variable is created and shared
among the object. Static variable is always class variable or global variable.
• We can create static variables at class-level only.
• static block and static variables are executed in order they are present in a program.
package staticBlock;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example3 {
static int j = 80;
package staticBlock;
public class Example4 {
static {
System.out.println("static block");
}
static int i = 0;
static {
System.out.println("value of i=" + i);
i = 90;
}
static {
System.out.println("value of i=" + i);
}
}
}
package staticBlock;
public class Example5 {
obj.display();
}
package staticBlock;
public class Example6 {
int i = 90;
static int k = 80;
static{
k = 100;
i = 60;
}
}
Java Static Methods
Static Methods can access class variables(static variables) without using object(instance) of
the class, however non-static methods and non-static variables can only be accessed using
objects.
Static methods can be accessed directly in static and non-static methods.
package staticBlock;
public class Example7 {
void test2() {
i = 20;
b = 10;
System.out.println("from m2");
}
void test2(){
System.out.println("test1()");
}
Static Class
package staticBlock;
public class Example12 {
private static String str = "test";
class MyNestedClass {
public void disp() {
System.out.println(str);
}
}
package staticBlock;
public class Example12 {
private static String str = "test";
class MyNestedClass {
public void disp() {
System.out.println(str);
}
}
Student(String studentName) {
this.studentName = studentName;
this.rollnumber = increaseRollNumber();
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public static String getCollegeName() {
return collegeName;
}
There can be a lot of usage of java this keyword. In java, this is a reference variable that
refers to the current object.
Usage of java this keyword
1. this can be used to refer current class instance variable.
2. this can be used to invoke current class method (implicitly)
3. this() can be used to invoke current class constructor.
4. this can be passed as an argument in the method call.
5. this can be passed as argument in the constructor call.
6. this can be used to return the current class instance from the method.
package ThisExample;
void display() {
System.out.println(rollno + " " + name + " " + fee);
}
void display() {
System.out.println(rollno + " " + name + " " + fee);
}
package ThisExample;
public class Example3 {
void display() {
this.show();
void show() {
System.out.println("Inside show funcion");
}
Example4() {
this(10, 20);
System.out.println("Inside default constructor \n");
}
Example4(int a, int b) {
this.a = a;
this.b = b;
System.out.println("Inside parameterized constructor");
}
Example7 obj;
Example6(Example7 obj) {
this.obj = obj;
obj.display();
}
}
package ThisExample;
public class Example7 {
int i = 90;
Example7() {
Example6 obj = new Example6(this);
}
void display() {
System.out.println("Value of i in Class Example7 : " + i);
}
}
}
package ThisExample;
public class Example8 {
int a;
int b;
Example8 get() {
return this;
}
void display() {
System.out.println("a = " + a + " b = " + b);
}
2. Multilevel Inheritance
int roolnumber;
void does() {
System.out.println("Teaching");
}
}
package inheritance;
Multilevel Inheritance
package inheritance;
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
package inheritance;
package inheritance;
int age;
String name;
@Override
public String toString() {
return "Students [age=" + age + ", name=" + name + ", classRoom=" +
classRoom + ", collegeName=" + collegeName
+ "]";
}
}
int speed;
package inheritance;
int price;
String name;
@Override
public String toString() {
return "Car [price=" + price + ", name=" + name + ", speed=" + speed + "]";
}
}
package inheritance;
int price;
String name;
@Override
public String toString() {
return "Jeep [price=" + price + ", name=" + name + ", speed=" + speed + "]";
}
}
Why multiple inheritance is not supported in java?
package inheritance;
void msg(){
}
}
package inheritance;
void msg() {
}
}
package inheritance;
package inheritance;
public class Conts1 {
public Conts1(int a) {
this.a = a;
}
Conts1() {
}
}
package inheritance;
public class Conts2 extends Conts1{
int square(int n) {
return n * n;
}
}
package inheritance;
Operation operation;
}
When to use Aggregation?
• Code reuse is also best achieved by aggregation when there is no is-a relationship.
• Inheritance should be used only if the relationship is-a is maintained throughout the
lifetime of the objects involved; otherwise, aggregation is the best choice.
package inheritance;
public class Address {
int id;
String name;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Address address;
void display() {
System.out.println(id + " " + name);
System.out.println(address.city + " " + address.state + " " + address.country);
}
e.display();
e2.display();
}
}
Java Polymorphism
Method Overloading is a feature that allows a class to have more than one method having
the same name, if their argument lists are different. It is similar to constructor overloading
in Java, that allows a class to have more than one constructor having different argument
lists.
package methodOverloading;
public class Overloading2 {
package methodOverloading;
public class Overloading3 {
private String formatNumber(int value) {
return String.format("%d", value);
}
%f Decimal floating-point
%d Decimal integer
Important Points
• Two or more methods can have same name inside the same class if they accept
different arguments. This feature is known as method overloading.
• Method overloading is achieved by either:
o changing the number of arguments.
o or changing the datatype of arguments.
• Method overloading is not possible by changing the return type of methods.
Suppose, you have to perform addition of the given numbers but there can be any number
of arguments (let’s say either 2 or 3 arguments for simplicity).
In order to accomplish the task, you can create two methods sum1num(int,
int) and sum2num(int, int, int) for two and three parameters respectively. However, other
programmers as well as you in future may get confused as the behaviour of both methods is
same but they differ by name.
The better way to accomplish this task is by overloading methods. And, depending upon the
argument passed, one of the overloaded methods is called. This helps to increase readability
of the program
Why Method Overloading is not possible by changing the return type of method only?
package methodOverloading;
public class Overloading4 {
class TestOverloading3 {
public static void main(String[] args) {
System.out.println(Adder.add(11, 11));// ambiguity
}
}
package methodOverloading;
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Method Overloading with Type Promotion in case of ambiguity
package methodOverloading;
Overloading8(int i) {
}
}
package methodOverloading;
Overloading9(int i) {
super(i);
}
}
}
package methodOverloading;
Overloading10(int i) {
Overloading10() {
}
}
package methodOverloading;
Overloading11(){
}
Method Overriding in Java
If subclass (child class) has the same method as declared in the parent class, it is known as
method overriding in Java.
1. The method must have the same parameter as in the parent class.
2. The method must have the same name as in the parent class
3. There must be an IS-A relationship (inheritance).
package methodOverriding;
}
package methodOverriding;
public class Overriding2 extends Overriding1{
Overriding2.test1();
}
}
package methodOverriding;
public class Vehicle {
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
package methodOverriding;
public class Bike extends Vehicle{
}
package methodOverriding;
public class Bank {
}
package methodOverriding;
package methodOverriding;
// Example2.test2();
}
}
Can we override java main method?
Points to remember
1. Prior to JDK 8, interface could not define implementation. We can now add default
implementation for interface methods. This default implementation has special use and does
not affect the intention behind interfaces.
Suppose we need to add a new function in an existing interface. Obviously the old code will
not work as the classes have not implemented those new functions. So with the help of
default implementation, we will give a default body for the newly added functions. Then the
old codes will still work.
2. Another feature that was added in JDK 8 is that we can now define static methods in
interfaces which can be called independently without an object. Note: these methods are
not inherited.
int i = 90;
void test1();
int i = 90;
void test1();
void test2();
}
package interfaceInjava;
public class ImplementExample2 implements Example2{
@Override
public void test1() {
// TODO Auto-generated method stub
@Override
public void test2() {
// TODO Auto-generated method stub
package interfaceInjava;
public interface Example3 {
Example3(){
}
}
An interface cannot contain instance fields. The only fields that can appear in an interface
must be declared both static and final.
package interfaceInjava;
Example4 example4;
int i;
package interfaceInjava;
public interface Example5 {
void method5();
}
package interfaceInjava;
public interface Example6 {
void method6();
}
package interfaceInjava;
public interface Example7 extends Example5, Example6{
}
Default and static method in interface
package interfaceInjava;
public interface Example8 {
void method6();
When class implements interface which extends more than one interface.
package interfaceInjava;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public interface Example5 {
void method5();
}
package interfaceInjava;
public interface Example6 {
void method6();
}
package interfaceInjava;
public interface Example7 extends Example5, Example6{
}
package interfaceInjava;
public class TestExample7 implements Example7{
@Override
public void method5() {
// TODO Auto-generated method stub
@Override
public void method6() {
// TODO Auto-generated method stub
package interfaceInjava;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Car implements Vehicle {
int speed;
int gear;
@Override
public void changeGear(int a) {
gear = a;
}
@Override
public void speedUp(int a) {
speed = a;
}
@Override
public void applyBrakes(int a) {
speed = speed - a;
}
package interfaceInjava;
public class Bike implements Vehicle {
int speed;
int gear;
@Override
public void changeGear(int a) {
gear = a;
}
@Override
public void speedUp(int a) {
speed = a;
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
@Override
public void applyBrakes(int a) {
speed = speed - a;
}
}
package interfaceInjava;
public class TestVehicle {
package interfaceInjava;
public interface Exampl3 {
}
package interfaceInjava;
public class Exampl3Test implements Exampl3{
These private methods will improve code re-usability inside interfaces. Foe example, if two
default methods needed to share code, a private interface method would allow them to do
so, but without exposing that private method to it’s implementing classes.
@Override
public void method1() {
System.out.println("abstract method");
}
void test1() {
int i = 80;
@Override
public String toString() {
return "Name=" + this.name + "::Gender=" + this.gender;
}
package abstractInJava;
@Override
public void work() {
if (empId == 0) {
System.out.println("Not working");
} else {
System.out.println("Working as employee");
}
}
Because these classes are incomplete, they have abstract methods that have no body so if
java allows you to create object of this class then if someone calls the abstract method using
that object then What would happen? There would be no actual implementation of the
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
method to invoke.
Also because an object is concrete. An abstract class is like a template, so you have to
extend it and build on it before you can use it.
Can we create constructor in abstract class
Ans: Yes
package abstractInJava;
public abstract class Example3 {
int i;
String name;
Example3() {
}
}
Abstract Vs Interface
1) Abstract class can have abstract and Interface can have only abstract methods.
non-abstractmethods. Since Java 8, it can have default and static
methods also.
3) Abstract class can have final, non- Interface has only static and final
final, static and non-static variables. variables.
8) A Java abstract class can have class Members of a Java interface are public by
members like private, protected, etc. default.
9)Example: Example:
public abstract class Shape{ public interface Drawable{
public abstract void draw(); void draw();
} }
• Consider using abstract classes if any of these statements apply to your situation:
o You want to share code among several closely related classes.
o You expect that classes that extend your abstract class have many common
methods or fields, or require access modifiers other than public (such as
protected and private).
o You want to declare non-static or non-final fields. This enables you to define
methods that can access and modify the state of the object to which they
belong.
• Consider using interfaces if any of these statements apply to your situation:
o You expect that unrelated classes would implement your interface. For
example, the interfaces Comparable and Cloneable are implemented by
many unrelated classes.
o You want to specify the behaviour of a particular data type, but not
concerned about who implements its behaviour.
o You want to take advantage of multiple inheritance of type.
Example
package interfaceInjava;
public class Eample100 implements Example101 {
obj.test1();
obj.test2();
obj.test3();
@Override
public void test3() {
// TODO Auto-generated method stub
}
package interfaceInjava;
public interface Example101 extends Example102{
void test1();
Private YES NO NO NO
public YES YES YES YES
protected YES YES NO YES
default YES YES NO NO
package accessmodifier;
public class Example1 {
String s4;
void name4() {
System.out.println("default method");
}
What are the members we can access in different class, within same package?
example1.name1();
example1.name2();
example1.name4();
System.out.println(example1.s1);
System.out.println(example1.s3);
System.out.println(example1.s4);
}
}
What are the members we can access in different class, in different package?
package access.modifier.test;
import accessmodifier.Example1;
public class Example3 {
example1.name2();
System.out.println(example1.s1);
}
What are the members we can access in different class, in different package through
inheritance?
package access.modifier.test;
import accessmodifier.Example1;
public class Example4 extends Example1{
System.out.println(example4.s1);
System.out.println(example4.s3);
}
}
Java Enum
}
}
You can add fields to a Java enum. Thus, each constant enum value gets these fields. The
field values must be supplied to the constructor of the enum when defining the constants.
package enumjava;
public class Example2 {
enum Season {
WINTER(5), SPRING(10), SUMMER(15), FALL(20);
}
}
package enumjava;
public enum Test1 {
HIGH(5), // calls constructor with value 3
MEDIUM(6), // calls constructor with value 2
LOW(2) // calls constructor with value 1
; // semicolon needed when fields / methods follow
}
package enumjava;
public class TestState {
public static void main(String[] args) {
String data = State.BIHAR.getLanguage();
System.out.println(data);
}
}
When you assign value of one data type to another, the two types might not be compatible
with each other. If the data types are compatible, then Java will perform the conversion
automatically known as Automatic Type Conversion and if not then they need to be casted
or converted explicitly. For example, assigning an int value to a long variable.
Widening or Automatic Type Conversion
Widening conversion takes place when two data types are automatically converted. This
happens when:
package enumjava;
public class TypeCastingExample1 {
long l = i;
float f = l;
double d = i;
Explicit Conversion
If we want to assign a value of larger data type to a smaller data type we perform explicit
type casting or narrowing.
• This is useful for incompatible data types where automatic conversion cannot be
done.
• Here, target-type specifies the desired type to convert the specified value to.
package typeCasting;
int i = (int) l;
short b = (short)d;
package typeCasting;
public class TypeCastingExample3 {
public static void main(String args[]) {
byte b;
int i = 259;
double d = 412.142;
b = (byte) i;
System.out.println("i = " + i + " b = " + b);
package typeCasting;
public class A {
}
package typeCasting;
public class B extends A {
obj.test2();
((B) obj1).test1();
}
1. Java automatically promotes each byte, short, or char operand to int when
evaluating an expression.
2. If one operand is a long, float or double the whole expression is promoted to long,
float or double respectively.
package typeCasting;
public class TypeCastingExample4 {
The final keyword in java is used to restrict the user. The java final keyword can be used in
many context. Final can be:
1. variable
2. method
3. class
The final keyword can be applied with the variables, a final variable that have no value it is
called blank final variable or uninitialized final variable. It can be initialized in the
constructor only. The blank final variable can be static also which will be initialized in the
static block only.
If you make any variable as final, you cannot change the value of final variable(It will be
constant).
package finalInJava;
void run() {
speedlimit = 400; // Compile Time error
}
package finalInJava;
}
}
package finalInJava;
package finalInJava;
}
package finalInJava;
A final variable that is not initialized at the time of declaration is known as blank final
variable.
If you want to create a variable that is initialized at the time of creating object and once
initialized may not be changed, it is useful. For example PAN CARD number of an employee.
It can be initialized only in constructor.
int id;
String name;
final String PAN_CARD_NUMBER;
Example6(String panNumber) {
this.PAN_CARD_NUMBER = panNumber;
}
package finalInJava;
int id;
String name;
final String PAN_CARD_NUMBER="123";
Example6(String panNumber) {
this.PAN_CARD_NUMBER = panNumber;
}
}
Can we initialize blank final variable?
Yes, but only in constructor. For example:
package finalInJava;
Example7() {
speedlimit = 70;
System.out.println(speedlimit);
}
A static final variable that is not initialized at the time of declaration is known as static blank
final variable. It can be initialized only in static block.
package finalInJava;
public class Example8 {
package finalInJava;
public class Example9 {
void run() {
System.out.println("running");
}
}
package RuntimePolymorphism;
public class Example2 extends Example1{
void run() {
System.out.println("running safely with 60km");
}
package RuntimePolymorphism;
public class Example3 {
float getRateOfInterest() {
return 0;
}
}
class TestPolymorphism {
public static void main(String args[]) {
Example3 b;
b = new SBI();
System.out.println("SBI Rate of Interest: " + b.getRateOfInterest());
b = new ICICI();
System.out.println("ICICI Rate of Interest: " + b.getRateOfInterest());
b = new HDFC();
System.out.println("HDFC Rate of Interest: " + b.getRateOfInterest());
}
}
package RuntimePolymorphism;
public class Animal {
void eat() {
System.out.println("eating...");
}
}
package RuntimePolymorphism;
public class Cat extends Animal{
void eat() {
System.out.println("eats rat...");
}
}
void eat() {
System.out.println("eats bread...");
}
package RuntimePolymorphism;
public class Lion extends Animal{
void eat() {
System.out.println("eats meat...");
}
}
Static Binding and Dynamic Binding
When type of the object is determined at compiled time(by the compiler), it is known as
static binding.
If there is any private, final or static method in a class, there is static binding.
package staticAndDynamicBinding;
package staticAndDynamicBinding;
package staticAndDynamicBinding;
package staticAndDynamicBinding;
Dynamic binding
When type of the object is determined at run-time, it is known as dynamic binding.
package staticAndDynamicBinding;
package staticAndDynamicBinding;
Java instanceof
The java instanceof operator is used to test whether the object is an instance of the
specified type (class or subclass or interface).
package instanceOfInJava;
public class Example1 {
public static void main(String args[]) {
Example1 s = new Example1();
System.out.println(s instanceof Example1);
}
}
package instanceOfInJava;
public class Animal {
package instanceOfInJava;
public class Dog extends Animal {
package instanceOfInJava;
public class Example2 extends Example1 {
package instanceOfInJava;
public class Example3 {
static int i = 0;
static boolean b = false;
static double d = 9.0;
static char c = 'v';
static float f = 9.0f;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public static void main(String[] args) {
}
if(Integer.class.isInstance(i)) {
System.out.println("True");
}
if(Boolean.class.isInstance(b)) {
System.out.println("True");
}
if(Double.class.isInstance(d)) {
System.out.println("True");
}
if(Character.class.isInstance(c)) {
System.out.println("True");
}
}
Encapsulation in Java
Suppose you have an account in the bank. If your balance variable is declared as a public
variable in the bank software, your account balance will be known as public, In this case,
anyone can know your account balance. So, would you like it? Obviously No.
So, they declare balance variable as private for making your account safe, so that anyone
cannot see your account balance. The person who has to see his account balance, he will
have to access private members only through methods defined inside that class and this
method will ask your account holder name or user Id, and password for authentication.
Thus, We can achieve security by utilizing the concept of data hiding. This is called
Encapsulation.
Key point:
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
In Java, Encapsulation is one of the four principles of OOPs concepts and the other three are
Abstraction, Inheritance, and Polymorphism.
Real-time Example 1:
When you log into your email accounts such as Gmail, Yahoo mail, or Rediff mail, there is a
lot of internal processes taking place in the backend and you have no control over it.
When you enter the password for logging, they are retrieved in an encrypted form and
verified and then you are given the access to your account. You do not have control over it
that how the password has been verified. Thus, it keeps our account safe from being
misused.
Real-time Example 2:
Suppose you have an account in the bank. If your balance variable is declared as a public
variable in the bank software, your account balance will be known as public, In this case,
anyone can know your account balance. So, would you like it? Obviously No.
So, they declare balance variable as private for making your account safe, so that anyone
cannot see your account balance. The person who has to see his account balance, he will
have to access private members only through methods defined inside that class and this
method will ask your account holder name or user Id, and password for authentication.
package encapsulationInJava;
public class Example2 {
private String name;
package encapsulationInJava;
System.out.println("name="+obj.getName()+" age="+obj.getAge());
}
}
While setting data to variables we can provide validation logic
package encapsulationInJava;
}
this.name = name;
}
}
package encapsulationInJava;
public class TestExample3 {
obj.setAge(9);
System.out.println(obj.getAge());
}
}
It help us to provide read only access
package encapsulationInJava;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example4 {
@Override
public String toString() {
return "Example4 [schoolName=" + schoolName + ", studentName=" +
studentName + "]";
}
}
package encapsulationInJava;
System.out.println(obj);
}
}
Let's understand how Encapsulation allows modifying implemented Java code without
breaking others code who have implemented the code? Since data type of Id has been
changed from String to Integer. So, I will only change in getter and setter method to avoid
breaking of other codes.
package encapsulationInJava;
public class Student {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
String id; // Here, No encapsulation is used. Since the field is not
// private.
}
package encapsulationInJava;
Suppose in above program 3, anyone changes the data type of id from String to Integer like
this:
package encapsulationInJava;
public class Student {
package encapsulationInJava;
public class EncapsulationTest1 {
Now, what will happen? Whenever Id has been used then the compilation time error will be
generated.
When you have encapsulation , this issue can be solved without breaking the
implementation.
package encapsulationInJava;
import java.util.Arrays;
private int[] a = { 1, 2, 3, 4 };
Output
[1, 2, 0, 4]
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
[1, 2, 3, 4]
package encapsulationInJava;
import java.util.ArrayList;
import java.util.List;
public class TestExample6 {
private List<String> books;
public TestExample6() {
this.books = new ArrayList<String>();
books.add("Test1");
books.add("Test2");
books.add("Test3");
}
}
package encapsulationInJava;
import java.util.List;
}
Output
[Test1, Test2, Test3]
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
[Test1, Test3]
Null
package encapsulationInJava;
import java.util.*;
import java.util.*;
Everything has many properties and behaviours so take whatever object you want TV,
Mobile, Car, Human or anything.
What is Abstraction
Abstraction is a process of hiding the implementation details from the user. Only the
functionality will be provided to the user. In Java, abstraction is achieved using abstract
classes and interfaces.
package abstractionInJava;
public abstract class Employee {
private String name;
private int paymentPerHour;
The Contractor class inherits all properties from its parent Employee but have to provide it’s
own implementation of calculateSalary() method. In this case we multiply the value of
payment per hour with given working hours.
package abstractionInJava;
public class Contractor extends Employee {
@Override
public int calculateSalary() {
return getPaymentPerHour() * workingHours;
}
}
The FullTimeEmployee also has it’s own implementation ofcalculateSalary()method. In this
case we just multiply by constant 8 hours.
package abstractionInJava;
@Override
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public int calculateSalary() {
return getPaymentPerHour() * 8;
}
}
package abstractionInJava
public class TestAbstraction {
package encapsulationInJava;
package encapsulationInJava;
package encapsulationInJava;
public class Grinder {
public GroundCoffee grind(CoffeeBean coffeeBean, double quantityCoffee) {
return new GroundCoffee();
}
}
package encapsulationInJava;
public class GroundCoffee {
}
package encapsulationInJava;
import java.util.HashMap;
import java.util.Map;
@Override
public Coffee brewCoffee(CoffeeSelection selection) throws Exception {
switch (selection) {
case FILTER_COFFEE:
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
return brewFilterCoffee();
case ESPRESSO:
return brewEspresso();
default:
throw new Exception("CoffeeSelection [" + selection + "] not
supported!");
}
}
GroundCoffee groundCoffee =
this.grinder.grind(this.beans.get(CoffeeSelection.ESPRESSO),
this.beans.get(CoffeeSelection.ESPRESSO).getQuantity());
// brew an espresso
return this.brewingUnit.brew(CoffeeSelection.ESPRESSO, groundCoffee,
config.getQuantityWater());
}
if (existingBeans != null) {
if (existingBeans.getName().equals(newBeans.getName())) {
existingBeans.setQuantity(existingBeans.getQuantity() +
newBeans.getQuantity());
} else {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
throw new Exception("Only one kind of beans supported for
each CoffeeSelection.");
}
} else {
this.beans.put(sel, newBeans);
}
}
}
package encapsulationInJava;
import java.util.HashMap;
import java.util.Map;
We can wrap a primitive value into a wrapper class object. In other words, wrapper classes
provide a way to use primitive data types (int, char, short, byte, etc) as objects. These
wrapper classes come under java.util package.
1. Wrapper class convert primitive data types into objects. Objects are needed if we wish
to modify the arguments passed into a method (because primitive types are passed by
value).
2. java.util package classes consumes only objects and hence we need wrapper classes
for this.
3. Data structures in the Collection framework, such as ArrayList , LinkedList and Vector,
store only objects (reference types) and not primitive types.
4. An object is Required to support synchronization in multithreading.
Class Integer
Methods
Modifier and Type Method and Description
static int bitCount(int i)
Returns the number of one-bits in the two's complement binary
representation of the specified int value.
byte byteValue()
Returns the value of this Integer as a byte.
static int compare(int x, int y)
Compares two int values numerically.
int compareTo(Integer anotherInteger)
Compares two Integer objects numerically.
static Integer decode(String nm)
Decodes a String into an Integer.
double doubleValue()
Returns the value of this Integer as a double.
boolean equals(Object obj)
Compares this object to the specified object.
float floatValue()
Returns the value of this Integer as a float.
static Integer getInteger(String nm)
Determines the integer value of the system property with the specified
name.
static Integer getInteger(String nm, int val)
Determines the integer value of the system property with the specified
name.
static Integer getInteger(String nm, Integer val)
Returns the integer value of the system property with the specified
name.
int hashCode()
Returns a hash code for this Integer.
static int highestOneBit(int i)
Returns an int value with at most a single one-bit, in the position of the
highest-order ("leftmost") one-bit in the specified int value.
int intValue()
Returns the value of this Integer as an int.
long longValue()
Returns the value of this Integer as a long.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
static int lowestOneBit(int i)
Returns an int value with at most a single one-bit, in the position of the
lowest-order ("rightmost") one-bit in the specified int value.
static int numberOfLeadingZeros(int i)
Returns the number of zero bits preceding the highest-order
("leftmost") one-bit in the two's complement binary representation of
the specified int value.
static int numberOfTrailingZeros(int i)
Returns the number of zero bits following the lowest-order
("rightmost") one-bit in the two's complement binary representation of
the specified int value.
static int parseInt(String s)
Parses the string argument as a signed decimal integer.
static int parseInt(String s, int radix)
Parses the string argument as a signed integer in the radix specified by
the second argument.
static int reverse(int i)
Returns the value obtained by reversing the order of the bits in the
two's complement binary representation of the specified int value.
static int reverseBytes(int i)
Returns the value obtained by reversing the order of the bytes in the
two's complement representation of the specified int value.
static int rotateLeft(int i, int distance)
Returns the value obtained by rotating the two's complement binary
representation of the specified int value left by the specified number of
bits.
static int rotateRight(int i, int distance)
Returns the value obtained by rotating the two's complement binary
representation of the specified int value right by the specified number
of bits.
short shortValue()
Returns the value of this Integer as a short.
static int signum(int i)
Returns the signum function of the specified int value.
static String toBinaryString(int i)
Returns a string representation of the integer argument as an unsigned
integer in base 2.
static String toHexString(int i)
Returns a string representation of the integer argument as an unsigned
integer in base 16.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
static String toOctalString(int i)
Returns a string representation of the integer argument as an unsigned
integer in base 8.
String toString()
Returns a String object representing this Integer's value.
static String toString(int i)
Returns a String object representing the specified integer.
static String toString(int i, int radix)
Returns a string representation of the first argument in the radix
specified by the second argument.
static Integer valueOf(int i)
Returns an Integer instance representing the specified int value.
static Integer valueOf(String s)
Returns an Integer object holding the value of the specified String.
static Integer valueOf(String s, int radix)
Returns an Integer object holding the value extracted from the
specified String when parsed with the radix given by the second
argument.
package wrapperClassInjava;
System.out.println(integer1.compareTo(integer2));
System.out.println(integer1.doubleValue());
System.out.println(integer1.intValue());
System.out.println(integer1.longValue());
System.out.println("====================");
System.out.println(integer1.compareTo(integer2));
System.out.println(integer2.doubleValue());
System.out.println(integer2.intValue());
System.out.println(integer2.longValue());
System.out.println("====================");
/**
* @return the integer value represented by the argument in
decimal.@exception
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
* NumberFormatException if the string does not contain aparsable
* integer.
*/
int s2 = Integer.parseInt("1000");
System.out.println(s2);
/**
* Both valueOf and parseInt methods are used to convert String to Integer in
Java,
* but there are subtle difference between them. ... valueOf() of java. lang.
* Integer returns an Integer object, while parseInt() method returns an int
primitive
*/
int s3 = Integer.valueOf(1000);
}
}
package wrapperClassInjava;
public class Test1 {
public static void main(String args[]) {
String s = "77";
int str = Integer.parseInt(s);
System.out.print(str);
Integer str1 = Integer.valueOf(s);
System.out.print(str1);
}
}
Both String and integer can be passed a parameter to Integer.valueOf() whereas only a
String can be passed as parameter to Integer.parseInt().
package wrapperClassInjava;
class Test3 {
public static void main(String args[]) {
int val = 99;
int str1 = Integer.valueOf(val);
System.out.print(str1);
int str = Integer.parseInt(val);
System.out.print(str);
}
}
INTEGER.PARSEINT() INTEGER.VALUEOF()
It can take a String as well as an integer as
It can only take a String as a parameter. parameter.
It returns a primitive int value. It returns an Integer object.
When an integer is passed as parameter, it
When an integer is passed as parameter, it returns an Integer object corresponding to the
produces an error due to incompatible types given parameter.
This method produces an error(incompatible
types) when a character is passed as This method can take a character as parameter
parameter. and will return the corresponding unicode.
This lags behind in terms of performance since This method is likely to yield significantly
parsing a string takes a lot of time when better space and time performance by caching
compared to generating one. frequently requested values.
If we need the primitive int datatype then If Wrapper Integer object is needed then
Integer.parseInt() method is to be used. valueOf() method is to be used.
package wrapperClassInjava;
package wrapperClassInjava;
System.out.println(double1.compareTo(double2));
System.out.println(double1.doubleValue());
System.out.println(double1.intValue());
System.out.println(double1.longValue());
double s2 = Double.parseDouble("1000");
//double s1 = Double.parseDouble(1000);
double s3 = Double.valueOf(1000);
double s4 = Double.valueOf("1000");
System.out.println(double1.MAX_VALUE);
System.out.println(double1.MIN_VALUE);
}
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
package wrapperClassInjava;
System.out.println(boolean1.compareTo(boolean2));
System.out.println(boolean1.booleanValue());
System.out.println(Boolean.parseBoolean("true"));
System.out.println(Boolean.parseBoolean("ABS"));
}
}
String In Java
String is a sequence of characters, for e.g. “Hello” is a string of 5 characters. In java, string is
an immutable object which means it is constant and can cannot be changed once it has
been created.
1. String literal
2. Using new keyword
String literal
In java, Strings can be created like this: Assigning a String literal to a String instance:
String str1 = "Welcome";
if the object already exist in the memory it does not create a new Object rather it assigns
the same old object to the new instance, that means even though we have two string
instances above(str1 and str2) compiler only created on string object (having the value
“Welcome”) and assigned the same to both the instances. For example there are 10 string
instances that have same value, it means that in memory there is only one object having the
value and all the 10 string instances would be pointing to the same object.
Immutable String
Immutable String means , once String object is created it can’t be changed or modified.
Example:
package stringInjava;
public class Example1 {
Here output remains “Bhanu” , since String is immutable and new object is created in
memory “BhanuJava”
String compare
There are three ways to compare string in java:
1. By equals() method
2. By = = operator
3. By compareTo() method
The String compareTo() method compares values lexicographically and returns an integer
value that describes if first string is less than, equal to or greater than second string.
Suppose s1 and s2 are two string variables. If:
• s1 == s2 :0
• s1 > s2 :positive value
• s1 < s2 :negative value
package stringInjava;
String s1 = "Bhanu";
String s2 = "Bhanu";
String s3 = new String("Bhanu");
String s4 = "Test";
System.out.println(s1.equals(s2));// true
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println(s1.equals(s3));// true
System.out.println(s1.equals(s4));// false
s1 = "Bhanu";
s2 = "BHANU";
System.out.println(s1.equals(s2));// false
System.out.println(s1.equalsIgnoreCase(s2));// true
s2 = "Bhanu";
s3 = new String("Bhanu");
System.out.println(s1 == s2);// true (because both refer to same instance)
System.out.println(s1 == s3);// false(because s3 refers to instance created in
nonpool)
s1 = "Bhanu";
s2 = "Bhanu";
s3 = "Bist1";
System.out.println(s1.compareTo(s2));// 0
System.out.println(s1.compareTo(s3));// -1(because s1>s3)
System.out.println(s3.compareTo(s1));// 1(because s3 < s1 )
}
Concatenation
Substring
You can get substring from the given string object by one of the two methods:
1. public String substring(int startIndex): This method returns new String object
containing the substring of the given string from specified startIndex (inclusive).
2. public String substring(int startIndex, int endIndex): This method returns new String
object containing the substring of the given string from specified startIndex to
endIndex.
In case of string:
• startIndex: inclusive
• endIndex: exclusive
package stringInjava;
public class Example4 {
charAt()
package stringInjava;
public class Example5 {
public static void main(String[] args) {
String name = "bhanupratap";
char ch = name.charAt(4);
System.out.println(ch);
name.charAt(20);
}
}
contains()
package stringInjava;
public class Example7 {
endsWith()
package stringInjava;
public class Example9 {
public static void main(String[] args) {
String s1 = "bhanu test";
System.out.println(s1.endsWith("t"));
System.out.println(s1.endsWith("test1"));
equals()
package stringInjava;
public class Example10 {
public static void main(String[] args) {
String s1 = "java";
String s2 = "c";
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
String s3 = "java";
String s4 = "python";
System.out.println(s1.equals(s2));
System.out.println(s1.equals(s3));
System.out.println(s1.equals(s4));
}
equalsIgnoreCase()
package stringInjava;
public class Example11 {
public static void main(String[] args) {
String s1 = "bhanu";
String s2 = "bhanu";
String s3 = "BHANU";
String s4 = "TEST";
System.out.println(s1.equalsIgnoreCase(s2));
System.out.println(s1.equalsIgnoreCase(s3));
System.out.println(s1.equalsIgnoreCase(s4));
}
}
format()
The java string format() method returns the formatted string by given locale, format and
arguments.
Throws
package stringInjava;
example where we are setting width and padding for an integer value.
getBytes()
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Method returns the byte array of the string
package stringInjava;
public class Example13 {
getChars()
Method copies the content of this string into specified char array
public void getChars(int srcBeginIndex, int srcEndIndex, char[] destination, int dstBeginInde
x)
Throws
package stringInjava;
public class Example14 {
public static void main(String[] args) {
String str = new String("java is programming language");
char[] ch = new char[10];
try {
str.getChars(5, 15, ch, 0);
System.out.println(ch);
} catch (Exception ex) {
System.out.println(ex);
}
}
}
java.lang.ArrayIndexOutOfBoundsException
package stringInjava;
public class Example15 {
public static void main(String[] args) {
String str = new String("java is programming language");
indexOf()
Method Description
int indexOf(int ch) returns index position for the given char value
int indexOf(int ch, int fromIndex) returns index position for the given char value and
from index
int indexOf(String substring) returns index position for the given substring
int indexOf(String substring, int returns index position for the given substring and
fromIndex) from index
package stringInjava;
public class Example16 {
public static void main(String[] args) {
String s1 = "hello java program";
int index1 = s1.indexOf("ja");
int index2 = s1.indexOf("java");
System.out.println(index1);
System.out.println(index2);
intern()
package stringInjava;
public class Example17 {
public static void main(String[] args) {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
String s1 = new String("java");
String s2 = "java";
String s3 = s1.intern();
System.out.println(s1 == s2);
System.out.println(s2 == s3);
}
}
package stringInjava;
public class Example18 {
public static void main(String[] args) {
String s1 = "Java";
String s2 = s1.intern();
String s3 = new String("Java");
String s4 = s3.intern();
System.out.println(s1 == s2);
System.out.println(s1 == s3);
System.out.println(s1 == s4);
System.out.println(s2 == s3);
System.out.println(s2 == s4);
System.out.println(s3 == s4);
}
}
isEmpty()
package stringInjava;
public class Example19 {
public static void main(String[] args) {
String s1 = "";
String s2 = "javatest";
System.out.println(s1.isEmpty());
System.out.println(s2.isEmpty());
}
}
join()
package stringInjava;
public class Example20 {
public static void main(String[] args) {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
String s1 = String.join("-", "hello", "java", "program");
System.out.println(s1);
}
}
package stringInjava;
public class Example21 {
public static void main(String[] args) {
String d = String.join("/", "20", "04", "2016");
System.out.print(d);
String t = String.join(":", "11", "13", "10");
System.out.println(t);
}
lastIndexOf()
Method Description
int lastIndexOf(int ch) returns last index position for the given char value
int lastIndexOf(int ch, int returns last index position for the given char value
fromIndex) and from index
int lastIndexOf(String substring) returns last index position for the given substring
int lastIndexOf(String substring, int returns last index position for the given substring
fromIndex) and from index
package stringInjava;
public class Example22 {
public static void main(String[] args) {
String s1 = "this is java index";
int index = s1.lastIndexOf('s');
System.out.println(index);
s1.lastIndexOf('s', 5);
System.out.println(index);
s1.lastIndexOf("of");
System.out.println(index);
}
}
length()
replace()
package stringInjava;
public class Example24 {
public static void main(String args[]) {
String s1 = "hello java test";
String replaceString = s1.replace('a', 'e');
System.out.println(replaceString);
}
}
split()
package stringInjava;
public class Example25 {
public static void main(String args[]) {
String s1 = "hello java test";
String[] words = s1.split("\\s");
for (String w : words) {
System.out.println(w);
}
s1 = "hello:java:test";
words = s1.split(":");
for (String w : words) {
System.out.println(w);
}
}
}
startsWith()
package stringInjava;
System.out.println(s1.startsWith("a",7));
System.out.println(s1.startsWith("a",40));
}
}
substring()
Parameters
package stringInjava;
public class Example27 {
public static void main(String[] args) {
String s1 = "hellojavatest";
String substr = s1.substring(0);
System.out.println(substr);
String substr2 = s1.substring(5, 10);
System.out.println(substr2);
// java.lang.StringIndexOutOfBoundsException:
String substr3 = s1.substring(5, 15);
}
}
toCharArray()
package stringInjava;
public class Example28 {
public static void main(String[] args) {
String s1 = "hello java test";
char[] ch = s1.toCharArray();
int len = ch.length;
System.out.println("Char Array length: " + len);
System.out.println("Char Array elements: ");
toLowerCase()
toUpperCase()
package stringInjava;
public class Example29 {
public static void main(String[] args) {
String s = "hello java";
System.out.println(s.toUpperCase());
String s1 = "HELLO";
System.out.println(s1.toLowerCase());
}
}
trim()
package stringInjava;
public class Example30 {
public static void main(String[] args) {
String s1 = " Hello Java ";
System.out.println("123"+s1.trim()+"12");
System.out.println("123"+s1+"12");
}
}
valueOf()
The java string valueOf() method converts different types of values into string.
package stringInjava;
public class Example31 {
public static void main(String[] args) {
float f = 10.05f;
double d = 10.02;
String s1 = String.valueOf(f);
String s2 = String.valueOf(d);
System.out.println(s1);
System.out.println(s2);
Constructor Description
StringBuffer() creates an empty string buffer with the initial capacity of 16.
StringBuffer(String str) creates a string buffer with the specified string.
StringBuffer(int creates an empty string buffer with the specified capacity as
capacity) length.
package stringBuffer;
// insert() method
// replace() method
StringBuffer sb2 = new StringBuffer("Hello");
sb2.replace(1, 3, "Java");
System.out.println(sb2);
// delete() method
StringBuffer sb3 = new StringBuffer("Hello");
sb3.delete(1, 3);
System.out.println(sb3);
// capacity() method
}
package stringBuffer;
Java StringBuilder class is used to create mutable (modifiable) string. The Java StringBuilder
class is same as StringBuffer class except that it is non-synchronized.
Constructor Description
StringBuilder() creates an empty string Builder with the initial capacity of 16.
StringBuilder(String str) creates a string Builder with the specified string.
StringBuilder(int length) creates an empty string Builder with the specified capacity as
length.
package stringBuffer;
public class Example3 {
public static String concatString() {
String t = "Hello";
for (int i = 0; i < 10000; i++) {
t = t + "Java";
}
return t;
}
}
Exception in Java
Exceptions are events that occur during the execution of programs that disrupt the normal
flow of instructions (e.g. divide by zero, array access out of bound, etc.). In Java,
an exception is an object that wraps an error event that occurred within a method and
contains: Information about the error including its type.
• The run-time system searches the call stack to find the method that contains block of code
that can handle the occurred exception. The block of the code is called Exception handler.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
• The run-time system starts searching from the method in which exception occurred,
proceeds through call stack in the reverse order in which methods were called.
• If it finds appropriate handler then it passes the occurred exception to it. Appropriate
handler means the type of the exception object thrown matches the type of the exception
object it can handle.
• If run-time system searches all the methods on call stack and couldn’t have found the
appropriate handler then run-time system handover the Exception Object to default
exception handler , which is part of run-time system. This handler prints the exception
information in the following format and terminates program abnormally.
package exception;
public class Example1 {
public void test1() {
int i = 90 / 0;
System.out.println("execution completed");
}
Types of Exception
Built-in exceptions are the exceptions which are available in Java libraries. These exceptions
are suitable to explain certain error situations. Below is the list of important built-in
exceptions in Java.
1. Arithmetic Exception
It is thrown when an exceptional condition has occurred in an arithmetic operation.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
2. ArrayIndexOutOfBoundException
It is thrown to indicate that an array has been accessed with an illegal index. The
index is either negative or greater than or equal to the size of the array.
3. ClassNotFoundException
This Exception is raised when we try to access a class whose definition is not found
4. FileNotFoundException
This Exception is raised when a file is not accessible or does not open.
5. IOException
It is thrown when an input-output operation failed or interrupted
6. InterruptedException
It is thrown when a thread is waiting , sleeping , or doing some processing , and it is
interrupted.
7. NoSuchFieldException
It is thrown when a class does not contain the field (or variable) specified
8. NoSuchMethodException
It is thrown when accessing a method which is not found.
9. NullPointerException
This exception is raised when referring to the members of a null object. Null
represents nothing
10. NumberFormatException
This exception is raised when a method could not convert a string into a numeric
format.
11. RuntimeException
This represents any exception which occurs during runtime.
12. StringIndexOutOfBoundsException
It is thrown by String class methods to indicate that an index is either negative than
the size of the string
package exception;
public class Example2 {
public static void main(String[] args) {
int i = 90 / 0;
}
}
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 8
at exception.Example3.main(Example3.java:7)
package exception;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example3 {
public static void main(String[] args) {
int a[] = { 10, 20, 30 };
System.out.println(a[8]);
}
}
Exception in thread "main" java.lang.NullPointerException
at exception.Example4.main(Example4.java:7)
package exception;
public class Example4 {
public static void main(String[] args) {
String s1 = null;
System.out.println(s1.toString());
}
}
package exception;
public class Example5 {
public static void main(String[] args) throws ClassNotFoundException {
Class.forName("Test12");
}
}
package exception;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileReader;
import java.io.IOException;
try {
// block of code to monitor for errors
// the code you think can raise an exception
}
catch (ExceptionType1 ex) {
// exception handler for ExceptionType1
}
catch (ExceptionType2 ex) {
// exception handler for ExceptionType2
}
// optional
finally {
// block of code to be executed after try block ends
}
Points to remember :
• In a method, there can be more than one statements that might throw exception, So put
all these statements within its own try block and provide separate exception handler
within own catch block for each of them.
• If an exception occurs within the try block, that exception is handled by the exception
handler associated with it. To associate exception handler, we must put catch block
after it. There can be more than one exception handlers. Each catch block is a exception
handler that handles the exception of the type indicated by its argument. The argument,
Exception Type declares the type of the exception that it can handle and must be the
name of the class that inherits from Throwable class.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
• For each try block there can be zero or more catch blocks, but only one finally block.
• The finally block is optional. It always gets executed whether an exception occurred in
try block or not . If exception occurs, then it will be executed after try and catch
blocks. And if exception does not occur then it will be executed after the try block. The
finally block in java is used to put important codes such as clean up code e.g. closing the
file or closing the connection.
package exception;
public class Example7 {
public void handelException() {
try {
int i = 90 / 0;
} catch (Exception e) {
System.out.println("exception handeled");
}
System.out.println("code execution completed");
}
package exception;
public class Example9 {
public void handelException() {
try {
int i = 90 / 1;
int a[] = { 20 };
int k = a[2];
} catch (ArithmeticException e) {
System.out.println("ArithmeticException handeled");
} catch (ArrayIndexOutOfBoundsException e) {
System.out.println("ArrayIndexOutOfBoundsException handeled");
}
System.out.println("code execution completed");
}
package exception;
public class Example10 {
public void handelException() {
try {
int i = 90 / 1;
int a[] = { 20 };
int k = a[0];
String s1 = null;
System.out.println(s1.length());
} catch (ArithmeticException e) {
System.out.println("ArithmeticException handeled");
} catch (ArrayIndexOutOfBoundsException e) {
System.out.println("ArrayIndexOutOfBoundsException handeled");
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
} catch (Exception e) {
System.out.println("Exception=" + e.getClass().getName());
}
System.out.println("code execution completed");
}
package exception;
package exception;
public class Example13 {
public static void main(String args[]) {
// Parent try block
try {
// Child try block1
try {
System.out.println("Inside block1");
int b = 40 / 0;
System.out.println(b);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
} catch (ArithmeticException e) {
System.out.println("Exception in Child try block1");
}
// Child try block2
try {
System.out.println("Inside block2");
int b = 40 / 0;
System.out.println(b);
} catch (ArrayIndexOutOfBoundsException e) {
System.out.println("Exception in Child try block2");
}
System.out.println("Just other statement");
} catch (ArithmeticException e) {
System.out.println("Arithmetic Exception");
System.out.println("Inside parent try catch block");
} catch (ArrayIndexOutOfBoundsException e) {
System.out.println("ArrayIndexOutOfBoundsException");
System.out.println("Inside parent try catch block");
} catch (Exception e5) {
System.out.println("Exception");
System.out.println("Inside parent try catch block");
}
System.out.println("Hello java");
}
}
A finally block contains all the crucial statements that must be executed whether exception
occurs or not. The statements present in this block will always execute regardless of
whether exception occurs in try block or not such as closing a connection, stream etc.
package exception;
public class Example14 {
public static void main(String[] args) {
try {
int num = 9 / 0;
System.out.println(num);
} catch (ArithmeticException e) {
System.out.println("Number should not be divided by zero");
}
/*
* Finally block will always execute even if there is no exception in
* try block
*/
finally {
System.out.println("This is finally block");
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
System.out.println("Out of try-catch-finally");
}
}
Finally will get executed even if there is exception in program and it is not handled.
package exception;
public class Example15 {
public static void main(String[] args) {
try {
int num = 9 / 0;
System.out.println(num);
} catch (NumberFormatException e) {
System.out.println("Number should not be divided by zero");
}
finally {
System.out.println("This is finally block");
}
System.out.println("Out of try-catch-finally");
}
}
package exception;
public class Example16 {
public static void main(String[] args) {
try {
int num = 9 / 0;
System.out.println(num);
} catch (ArithmeticException e) {
System.out.println("Number should not be divided by zero");
} finally {
int num = 9 / 0;
System.out.println(num);
System.out.println("This is finally block");
}
}
}
package exception;
public class Example17 {
public static void main(String[] args) {
try {
int num = 9 / 1;
System.out.println(num);
return;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
} catch (ArithmeticException e) {
System.out.println("Number should not be divided by zero");
} finally {
System.out.println("This is finally block");
}
}
}
throw exception in java
We can define our own set of conditions or rules and throw an exception explicitly using
throw keyword. For example, we can throw ArithmeticException when we divide number by
5, or any other numbers, what we need to do is just set the condition and throw any
exception using throw keyword. Throw keyword can also be used for throwing custom
exceptions,
package exception;
public class Example18 {
checkEligibiltyProcess(9, 25);
}
}
}
throws Keyword
Any method that is capable of causing exceptions must list all the exceptions possible during
its execution, so that anyone calling that method gets a prior knowledge about which
exceptions are to be handled. A method can do so by using the throws keyword.
package exception;
public class Example20 {
static void check() throws ArithmeticException {
System.out.println("Inside check function");
throw new ArithmeticException("demo");
}
}
package exception;
import java.io.IOException;
public class Example21 {
void tset1() {
try {
tset2();
} catch (Exception e) {
System.out.println("exception handled");
}
}
void test3() {
try {
test2();
} catch (ArithmeticException e) {
System.out.println("ArithmeticException handled");
}
}
package exception;
class Example24 {
public static void main(String args[]) throws ArithmeticException {
Example23 obj = new Example23();
obj.method();
System.out.println("End Of Program");
}
}
package exception;
public class Example25 {
static void fun() {
try {
throw new NullPointerException("demo");
} catch (NullPointerException e) {
System.out.println("Caught inside fun().");
throw e;
}
}
• throws keyword is required only for checked exception and usage of throws keyword for
unchecked exception is meaningless.
• throws keyword is required only to convince compiler and usage of throws keyword
does not prevent abnormal termination of program.
Custom Exception
package customException;
import java.io.Serializable;
public class DataException extends Exception implements Serializable {
/**
*
*/
private static final long serialVersionUID = 1L;
DataException(String msg) {
super(msg);
}
}
package customException;
public class TestDataException {
public static void test1(int a) throws DataException {
if (a < 10) {
throw new DataException("data is not valid");
}
}
}
package customException;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
import java.io.Serializable;
public class DAOException extends Exception implements Serializable {
/**
*
*/
private static final long serialVersionUID = 1L;
DAOException(String msg) {
super(msg);
}
package customException;
public enum ErrorCode {
INVALID_DATA,
INVALID_STATAE,
INVALID_CITY;
package customException;
public class TestException {
Collections in Java
An ArrayList in Java represent a resizable list of objects. We can add, remove, find, sort and
replace elements in this list. ArrayList is part of Java’s collection framework and implements
Java’s List interface.
Hierarchy of ArrayList class
Java ArrayList class extends AbstractList class which implements List interface. The List
interface extends Collection and Iterable interfaces in hierarchical order.
Array Initialization.
Insert at position
1 2 3 4 5 6
1 2 3 4 50 5 6
Insert at end
1 2 3 4 5 6
1 2 3 4 5 6 7
Insert at begin
1 2 3 4 5 6
7 1 2 3 4 5 6
Constructors
Constructor and Description
ArrayList()
Constructs an empty list with an initial capacity of ten.
ArrayList(Collection<? extends E> c)
• Ordered – Elements in arraylist preserve their ordering which is by default the order in
which they were added to the list.
• Index based – Elements can be randomly accessed using index positions. Index start with
'0'.
• Dynamic resizing – ArrayList grows dynamically when more elements needs to be added
than it’s current size.
• Non synchronized – ArrayList is not synchronized, by default. Programmer needs to use
synchronized keyword appropriately or simply use Vector class.
• Duplicates allowed – We can add duplicate elements in array list. It is not possible in
sets.
E is type of object which will be returned or which will be added to Array List like (Integer,
String, Custom Object)
package arrayList;
import java.util.ArrayList;
public class Example1 {
}
}
ArrayList addAll() method example
package arrayList;
import java.util.ArrayList;
list.addAll(list1);
System.out.println(list);
}
}
package arrayList;
import java.util.ArrayList;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example5 {
list.clear();
System.out.println(list);
}
}
@Override
public String toString() {
return "Student [age=" + age + ", name=" + name + ", school=" + school + "]";
}
}
package arrayList;
import java.util.ArrayList;
import java.util.List;
System.out.println(list);
}
package arrayList;
@Override
public String toString() {
return "Student [age=" + age + ", name=" + name + ", school=" + school + ",
address=" + address + "]";
}
}
package arrayList;
@Override
public String toString() {
return "Address [address=" + address + "]";
}
}
package arrayList;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
System.out.println(list);
System.out.println(list.get(0));
Student data = list.get(0);
package arrayList;
import java.util.ArrayList;
public class Example9 {
list.contains("Test1");
}
package arrayList;
import java.util.ArrayList;
public class Example10 {
This method returns the index of the first occurrence of the specified element in this list. It
will return '-1'if the list does not contain the element.
package arrayList;
import java.util.ArrayList;
import java.util.Arrays;
System.out.println(firstIndex);
firstIndex = list.indexOf("hello");
System.out.println(firstIndex);
}
}
This method returns the index of the last occurrence of the specified element in this list. It
will return '-1' if the list does not contain the element.
package arrayList;
import java.util.ArrayList;
import java.util.Arrays;
System.out.println(lastIndex);
lastIndex = list.lastIndexOf("hello");
System.out.println(lastIndex);
}
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
ArrayList removeAll() method example
package arrayList;
import java.util.ArrayList;
System.out.println(list);
list.removeAll(list);
System.out.println(list);
}
}
package arrayList;
import java.util.ArrayList;
System.out.println(list);
list.removeAll(list1);
System.out.println(list);
}
}
ArrayList retainAll() retains only the elements in this list that are contained in the specified
method argument collection. Rest all elements are removed from the list. This method is
exact opposite to removeAll() method.
package arrayList;
import java.util.ArrayList;
System.out.println(list);
list.retainAll(list1);
System.out.println(list);
}
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
System.out.println(list);
Collections.replaceAll(list, "Test1","Test30");
System.out.println(list);
}
}
ArrayList.subList() method
package arrayList;
import java.util.ArrayList;
import java.util.Arrays;
list.add("A");
list.add("B");
list.add("C");
list.add("D");
System.out.println(Arrays.toString(array));
System.out.println(s);
}
}
}
ArrayList addAll() method is used to append all of the elements of argument collection to
the list at the end.
package arrayList;
import java.util.ArrayList;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example23 {
list.add("A");
list.add("B");
list.add("C");
list.add("D");
list1.add("E");
list1.add("F");
list1.add("G");
list1.add("H");
list.addAll(list1);
System.out.println(list);
}
}
ArrayList clear()
ArrayList clear() method is used to removes all of the elements from the list. The list will be
empty after this call returns.
package arrayList;
import java.util.ArrayList;
public class Example23 {
list.add("A");
list.add("B");
list.add("C");
list.add("D");
list.addAll(list1);
System.out.println(list);
list.clear();
System.out.println(list);
}
}
package arrayList;
public class Example19 {
package arrayList;
public class Example20 {
}
}
Cloning in Java
So cloning is about creating the copy of original object. Its dictionary meaning is : “make an
identical copy of“.
By default, java cloning is ‘field by field copy’ i.e. as the Object class does not have idea
about the structure of class on which clone() method will be invoked.
If the class has only primitive data type members then a completely new copy of the object
will be created and the reference to the new object copy will be returned.
If the class contains members of any class type then only the object references to those
members are copied and hence the member references in both the original object as well as
the cloned object refer to the same object.
Apart from above default behavior, you can always override this behavior and specify your
own. This is done using overriding clone() method.
Let’s understand Java clone with example. Our first class is Employee class with 3 attributes
– id, name and department.
Shallow clone is “default implementation” in Java. In overridden clone method, if you are
not cloning all the object types (not primitives), then you are making a shallow copy.
package arrayList;
public class Employee implements Cloneable {
private int empoyeeId;
private String employeeName;
private Department department;
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
package arrayList;
public class Department {
package arrayList;
System.out.println(original.hashCode());
System.out.println(cloned.hashCode());
System.out.println(original.getClass().getSimpleName());
System.out.println(cloned.getClass().getSimpleName());
System.out.println(original.getDepartment().hashCode());
System.out.println(cloned.getDepartment().hashCode());
package arrayList;
System.out.println(original.hashCode());
System.out.println(cloned.hashCode());
System.out.println("original.getDepartment().hashCode()=="+original.getDepartmen
t().hashCode());
System.out.println("cloned.getDepartment().hashCode()=="+cloned.getDepartment(
).hashCode());
// Let change the department name in cloned object and we will verify in
// original object
System.out.println("original.getDepartment()=="+original.getDepartment().getName
());
cloned.getDepartment().setName("Finance");
System.out.println("original.getDepartment()=="+original.getDepartment().getName
());
System.out.println("cloned.getDepartment()="+cloned.getDepartment().getName());
original.getDepartment().setName("HR");
System.out.println("original.getDepartment()=="+original.getDepartment().getName
());
System.out.println("cloned.getDepartment()=="+cloned.getDepartment().getName()
);
System.out.println("----------");
System.out.println("original.getEmployeeName()=="+original.getEmployeeName());
System.out.println("cloned.getEmployeeName()=="+cloned.getEmployeeName());
cloned.setEmployeeName("Sohan");
System.out.println("original.getEmployeeName()=="+original.getEmployeeName());
System.out.println("cloned.getEmployeeName()=="+cloned.getEmployeeName());
original.setEmployeeName("Ram");
System.out.println("original.getEmployeeName()=="+original.getEmployeeName());
System.out.println("cloned.getEmployeeName()=="+cloned.getEmployeeName());
}
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Output
2018699554
1311053135
original.getDepartment().hashCode()==118352462
cloned.getDepartment().hashCode()==118352462
original.getDepartment()==Human Resource
cloned.getDepartment()==Human Resource
original.getDepartment()==Finance
cloned.getDepartment()=Finance
original.getDepartment()==HR
cloned.getDepartment()==HR
----------
original.getEmployeeName()==Mohan
cloned.getEmployeeName()==Mohan
original.getEmployeeName()==Mohan
cloned.getEmployeeName()==Sohan
original.getEmployeeName()==Ram
cloned.getEmployeeName()==Sohan
Oops, cloned object changes are visible in original also. This way cloned objects can make
havoc in the system if allowed to do so. Anybody can come and clone your application
objects and do whatever he likes. Can we prevent this??
Answer is yes,
Deep clone is the desired behavior in most the cases. In the deep copy, we create a clone
which is independent of original object and making changes in the cloned object should not
affect original object.
package arrayList;
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
package arrayList;
// Let change the department name in cloned object and we will verify in
// original object
System.out.println("original.Employee1.hashCode()==" +
original.hashCode());
System.out.println("cloned.Employee1.hashCode()==" + cloned.hashCode());
System.out.println("original.getDepartment().hashCode()==" +
original.getDepartment().hashCode());
System.out.println("cloned.getDepartment().hashCode()==" +
cloned.getDepartment().hashCode());
System.out.println("original.getDepartment()==" +
original.getDepartment().getName());
System.out.println("cloned.getDepartment()==" +
cloned.getDepartment().getName());
cloned.getDepartment().setName("Finance");
System.out.println("original.getDepartment()==" +
original.getDepartment().getName());
System.out.println("cloned.getDepartment()=" +
cloned.getDepartment().getName());
original.getDepartment().setName("HR");
System.out.println("original.getDepartment()==" +
original.getDepartment().getName());
System.out.println("cloned.getDepartment()==" +
cloned.getDepartment().getName());
System.out.println("----------");
System.out.println("original.getEmployeeName()==" +
original.getEmployeeName());
System.out.println("cloned.getEmployeeName()==" +
cloned.getEmployeeName());
cloned.setEmployeeName("Sohan");
System.out.println("original.getEmployeeName()==" +
original.getEmployeeName());
System.out.println("cloned.getEmployeeName()==" +
cloned.getEmployeeName());
original.setEmployeeName("Ram");
System.out.println("original.getEmployeeName()==" +
original.getEmployeeName());
System.out.println("cloned.getEmployeeName()==" +
cloned.getEmployeeName());
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
private int i;
private int j;
@Override
protected Object clone() throws CloneNotSupportedException {
return (OnlyPrimitive) super.clone();
}
System.out.println(onlyPrimitive.hashCode());
System.out.println(cloned.hashCode());
System.out.println(onlyPrimitive.getI());
System.out.println(cloned.getI());
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
onlyPrimitive.setI(8);
System.out.println(onlyPrimitive.getI());
System.out.println(cloned.getI());
cloned.setI(90);
System.out.println(onlyPrimitive.getI());
System.out.println(cloned.getI());
}
}
clone() in ArrayList
import java.util.ArrayList;
li.add(Integer.valueOf(2));
li.add(3);
li.add(4);
System.out.println(li);
ArrayList<Integer> li1 = (ArrayList<Integer>)li.clone();
System.out.println(li1);
li1.remove(0);
System.out.println(li);
System.out.println(li1);
System.out.println(li.hashCode());
System.out.println(li1.hashCode());
System.out.println("------------------");
System.out.println("===After cloning====");
System.out.println(original.get(0).getName());
System.out.println(cloned.get(0).getName());
original.get(0).setName("MOHAN");
System.out.println("===Modified Name through original object====");
System.out.println(original.get(0).getName());
System.out.println(cloned.get(0).getName());
cloned.get(0).setName("SOHAN");
System.out.println("===Modified Name through cloned object====");
System.out.println(original.get(0).getName());
System.out.println(cloned.get(0).getName());
}
String name;
A class that have no name is known as anonymous inner class in java. It should be used if
you have to override method of class or interface. Java Anonymous inner class can be
created by two ways:
• Class (may be abstract or concrete).
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
• Interface
package anonymousInnerClass;
void population();
void numberOfDistrict();
package anonymousInnerClass;
@Override
public void population() {
System.out.println("population is 21 crore");
@Override
public void numberOfDistrict() {
System.out.println("numberOfDistrict is 80");
}
};
@Override
public void population() {
System.out.println("population is 15 crore");
@Override
public void numberOfDistrict() {
System.out.println("numberOfDistrict is 800");
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
};
}
package anonymousInnerClass;
testState.upState.population();
}
package anonymousInnerClass;
package anonymousInnerClass;
@Override
void population() {
System.out.println("population is 15 crore");
}
};
System.out.println("population is 21 crore");
}
};
ArrayList sort()
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
System.out.println("before sorting="+list);
Collections.sort(list);
System.out.println("After sorting="+list);
}
}
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example18 {
Collections.sort(list);
Comparable
Comparable interface is used when we want to compare objects using one of their property.
It is considered a natural sorting of objects. Consider a list of employees and we want them
to be sorted by name as a default sorting order. The comparable interface has compareTo()
method which the target class has to implement.
public class Employee implements Comparable<Employee> {
String name;
@Override
public int compareTo(Employee o) {
return name.compareTo(o.name);
}
}
Now a collection of the above objects can be sorted by name using Collections.sort() method.
Collections.sort(employees);
import java.util.ArrayList;
import java.util.Collections;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Student implements Comparable<Student> {
int rollno;
String name;
int age;
@Override
public int compareTo(Student st) {
if (age == st.age)
return 0;
else if (age < st.age)
return 1;
else
return -1;
}
Collections.sort(al);
for (Student st : al) {
System.out.println(st.rollno + " " + st.name + " " + st.age);
}
}
}
import java.util.ArrayList;
import java.util.Collections;
@Override
public int compareTo(Student2 st) {
return name.compareTo(st.name);
}
Collections.sort(al);
for (Student2 st : al) {
System.out.println(st.rollno + " " + st.name + " " + st.age);
}
}
}
Comparators are most useful when we want to sort a given list of objects – but not in
natural order.
Java Comparator interface is used to order the objects of a user-defined class.This interface
is found in java.util package and contains 2 methods compare(Object obj1,Object obj2) and
equals(Object element).
package arrayList;
@Override
public String toString() {
return "State [population=" + population + ", district=" + district + ",
language=" + language + "]";
}
}
package arrayList;
import java.util.Comparator;
@Override
public int compare(State o1, State o2) {
return o1.getLanguage().compareToIgnoreCase(o2.getLanguage());
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
package arrayList;
import java.util.Comparator;
public class PopulationSorter implements Comparator<State> {
@Override
public int compare(State o1, State o2) {
if (o1.getPopulation() == o2.getPopulation())
return 0;
else if (o1.getPopulation() > o2.getPopulation())
return 1;
else
return -1;
}
}
package arrayList;
import java.util.Comparator;
public class DistrictSorter implements Comparator<State>{
@Override
public int compare(State o1, State o2) {
return o1.getDistrict().compareTo(o2.getDistrict());
}
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
list.sort(new PopulationSorter());
System.out.println(list);
//Collections.sort(list,new LanguageSorter());
//System.out.println(list);
list.sort(new LanguageSorter());
System.out.println(list);
Collections.sort(list,new DistrictSorter());
System.out.println(list);
}
}
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
State2() {
@Override
public String toString() {
return "State [population=" + population + ", district=" + district + ",
language=" + language + "]";
}
@Override
public int compare(State2 o1, State2 o2) {
if (o1.getPopulation() == o2.getPopulation())
return 0;
else if (o1.getPopulation() > o2.getPopulation())
return 1;
else
return -1;
}
};
@Override
public int compare(State2 o1, State2 o2) {
return o1.getDistrict().compareTo(o2.getDistrict());
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
};
@Override
public int compare(State2 o1, State2 o2) {
return o1.getLanguage().compareTo(o2.getLanguage());
}
};
System.out.println(list);
Collections.sort(list, state.languageSorter);
System.out.println(list);
Collections.sort(list, state.districtSorter);
System.out.println(list);
}
}
package arrayList;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
System.out.println(list);
Collections.sort(list, state.languageSorter);
System.out.println(list);
Collections.sort(list, state.districtSorter);
System.out.println(list);
}
}
Doubly-linked list implementation of the List and Deque interfaces. Implements all optional
list operations, and permits all elements (including null).
All of the operations perform as could be expected for a doubly-linked list. Operations that
index into the list will traverse the list from the beginning or the end, whichever is closer to
the specified index.
Note that this implementation is not synchronized. If multiple threads access a linked list
concurrently, and at least one of the threads modifies the list structurally, it must be
synchronized externally. (A structural modification is any operation that adds or deletes one
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
or more elements; merely setting the value of an element is not a structural modification.)
This is typically accomplished by synchronizing on some object that naturally encapsulates
the list. If no such object exists, the list should be "wrapped" using
the Collections.synchronizedList method. This is best done at creation time, to prevent
accidental unsynchronized access to the list:
LinkedList Features
• Doubly linked list implementation which implements List and Deque interfaces.
Therefore, It can also be used as a Queue, Deque or Stack.
• Permits all elements including duplicates and NULL.
• LinkedList maintains the insertion order of the elements.
• It is not synchronized. If multiple threads access a linked list concurrently, and at
least one of the threads modifies the list structurally, it must be synchronized
externally.
• Use Collections.synchronizedList(new LinkedList()) to get synchronized linkedlist.
• The iterators returned by this class are fail-fast and may throw
ConcurrentModificationException.
• It does not implement RandomAccess interface. So we can access elements in
sequential order only. It does not support accessing elements randomly.
• We can use ListIterator to iterate LinkedList elements.
LinkedList Methods
E is type of object you are adding like (Integer, String, Custom Object)
boolean add(E e)
Appends the specified element to the end of this list.
void addLast(E e)
Appends the specified element to the end of this list.
package linkedList;
import java.util.LinkedList;
import java.util.ListIterator;
linkedList.add("A");
linkedList.add("B");
linkedList.add("C");
linkedList.add("D");
System.out.println(linkedList);
linkedList.add(4, "4A");
linkedList.add(5, "5A");
linkedList.addFirst("TT");
linkedList.addLast("LL");
System.out.println(linkedList);
package linkedList;
import java.util.LinkedList;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public class Example3 {
linkedList.add("A");
linkedList.add("B");
linkedList.add("C");
linkedList.add("D");
linkedList1.add("AA");
linkedList1.add("BB");
linkedList1.add("CC");
linkedList1.add("DD");
linkedList.addAll(linkedList1);
System.out.println(linkedList);
linkedList.addAll(1, linkedList1);
System.out.println(linkedList);
}
}
E is type of object which will be returned like (Integer, String, Custom Object)
Linked List Get Methods
E get(int index)
Returns the element at the specified position in this list.
E getFirst()
Returns the first element in this list.
E getLast()
Returns the last element in this list.
package linkedList;
linkedList.add("A");
linkedList.add("B");
linkedList.add("C");
linkedList.add("D");
System.out.println(linkedList.get(0));
System.out.println(linkedList.getFirst());
System.out.println(linkedList.getLast());
}
}
}
E remove()
Retrieves and removes the head (first element) of this list.
E remove(int index)
Removes the element at the specified position in this list.
boolean remove(Object o)
Removes the first occurrence of the specified element from this list, if
it is present.
E removeFirst()
Removes and returns the first element from this list.
boolean removeFirstOccurrence(Object o)
Removes the first occurrence of the specified element in this list (when
traversing the list from head to tail).
E removeLast()
Removes and returns the last element from this list.
package linkedList;
import java.util.LinkedList;
linkedList.add("A");
linkedList.add("B");
linkedList.add("C");
linkedList.add("D");
System.out.println(linkedList);
linkedList.removeFirst();
System.out.println(linkedList);
linkedList.removeLast();
System.out.println(linkedList);
linkedList.remove();
System.out.println(linkedList);
System.out.println("------");
LinkedList<String> linkedList1 = new LinkedList<>();
linkedList1.add("AA");
linkedList1.add("BB");
linkedList1.add("CC");
linkedList1.add(2, "AAA");
linkedList1.add("DD");
linkedList1.add("CCC");
linkedList1.add("DD");
System.out.println(linkedList1);
linkedList1.remove(2);
System.out.println(linkedList1);
System.out.println(linkedList1.remove("BB"));
System.out.println(linkedList1);
linkedList3.add("AA");
linkedList3.add("DD");
linkedList1.removeAll(linkedList3);
System.out.println(linkedList1);
linkedList1.removeFirstOccurrence("DD");
System.out.println(linkedList1);
linkedList1.removeLastOccurrence("DD");
System.out.println(linkedList1);
System.out.println(linkedList1);
}
}
boolean offer(E e)
boolean offerFirst(E e)
Inserts the specified element at the front of this list.
boolean offerLast(E e)
Inserts the specified element at the end of this list.
E peek()
Retrieves, but does not remove, the head (first element) of this list.
E peekFirst()
Retrieves, but does not remove, the first element of this list, or
returns null if this list is empty.
E peekLast()
Retrieves, but does not remove, the last element of this list, or
returns null if this list is empty.
E poll()
Retrieves and removes the head (first element) of this list.
E pollFirst()
Retrieves and removes the first element of this list, or returns null if
this list is empty.
E pollLast()
Retrieves and removes the last element of this list, or returns null if this
list is empty.
E pop()
Pops an element from the stack represented by this list.
void push(E e)
package linkedList;
import java.util.LinkedList;
linkedList.add("A");
linkedList.add("B");
linkedList.add("C");
linkedList.add("D");
linkedList.offer("30");
linkedList.offerFirst("offerFirst");
linkedList.offerLast("offerLast");
System.out.println(linkedList);
System.out.println(linkedList.getFirst());
System.out.println(linkedList.getLast());
System.out.println(linkedList.peek());
System.out.println(linkedList.peekFirst());
System.out.println(linkedList.peekLast());
System.out.println(linkedList);
System.out.println(linkedList.poll());
System.out.println(linkedList);
System.out.println(linkedList.pollFirst());
System.out.println(linkedList);
System.out.println(linkedList.pollLast());
System.out.println(linkedList);
System.out.println(linkedList.pop());
linkedList.push("70000");
System.out.println(linkedList);
}
}
Methods of LinkedList
int size()
Returns the number of elements in this list.
Object[] toArray()
Returns an array containing all of the elements in this list in
proper sequence (from first to last element).
int indexOf(Object o)
Returns the index of the first occurrence of the specified
element in this list, or -1 if this list does not contain the
element.
int lastIndexOf(Object o)
Returns the index of the last occurrence of the specified
element in this list, or -1 if this list does not contain the
element.
package linkedList;
import java.util.Arrays;
import java.util.LinkedList;
System.out.println(Arrays.toString(arrayLinkedList));
System.out.println(linkedList.lastIndexOf("D"));
System.out.println(linkedList.indexOf("D"));
System.out.println(linkedList.set(1, "CCCCCC"));
System.out.println(linkedList);
System.out.println(linkedList.size());
ArrayList vs LinkedList
Queue
Methods
Modifier Method and Description
and Type
boolean add(E e)
Inserts the specified element into this queue if it is possible to do so
immediately without violating capacity restrictions, returning true upon
success and throwing an IllegalStateException if no space is currently
available.
E element()
Retrieves, but does not remove, the head of this queue.
boolean offer(E e)
Inserts the specified element into this queue if it is possible to do so
immediately without violating capacity restrictions.
E peek()
Retrieves, but does not remove, the head of this queue, or returns null if
this queue is empty.
E poll()
Retrieves and removes the head of this queue, or returns null if this queue
is empty.
E remove()
Retrieves and removes the head of this queue.
boolean add(E e)
Inserts the specified element into this queue if it is possible to do so immediately without
violating capacity restrictions, returning true upon success and throwing
an IllegalStateException if no space is currently available.
Specified by:
add in interface Collection<E>
Parameters:
e - the element to add
Returns:
true (as specified by Collection.add(E))
Throws:
IllegalStateException - if the element cannot be added at this time due to capacity
restrictions
ClassCastException - if the class of the specified element prevents it from being
added to this queue
NullPointerException - if the specified element is null and this queue does not permit
null elements
IllegalArgumentException - if some property of this element prevents it from being
added to this queue
boolean offer(E e)
Inserts the specified element into this queue if it is possible to do so immediately without
violating capacity restrictions. When using a capacity-restricted queue, this method is
generally preferable to add(E), which can fail to insert an element only by throwing an
exception.
Parameters:
e - the element to add
Returns:
true if the element was added to this queue, else false
Throws:
ClassCastException - if the class of the specified element prevents it from being
added to this queue
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
NullPointerException - if the specified element is null and this queue does not permit
null elements
IllegalArgumentException - if some property of this element prevents it from being
added to this queue
E remove()
Retrieves and removes the head of this queue. This method differs from poll only in that it
throws an exception if this queue is empty.
Returns:
the head of this queue
Throws:
NoSuchElementException - if this queue is empty
E poll()
Retrieves and removes the head of this queue, or returns null if this queue is empty.
Returns:
the head of this queue, or null if this queue is empty
E element()
Retrieves, but does not remove, the head of this queue. This method differs from peek only
in that it throws an exception if this queue is empty.
Returns:
the head of this queue
Throws:
NoSuchElementException - if this queue is empty
E peek()
Retrieves, but does not remove, the head of this queue, or returns null if this queue is
empty.
Returns:
the head of this queue, or null if this queue is empty
package queueImpl;
import java.util.ArrayDeque;
import java.util.LinkedList;
import java.util.Queue;
import java.util.concurrent.ArrayBlockingQueue;
System.out.println("-----------------------------");
System.out.println("-----------------------------");
System.out.println("-----------------------------");
}
package queueImpl;
import java.util.LinkedList;
import java.util.Queue;
System.out.println(queue.peek());
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println("queue.peek()---->" + queue);
System.out.println(queue.poll());
System.out.println("queue.poll()---->" + queue);
System.out.println(queue.remove());
System.out.println("queue.remove()---->" + queue);
System.out.println("---------------------------");
// Exception in thread "main" java.util.NoSuchElementException
System.out.println(queue1.element());
System.out.println(queue1.peek());
System.out.println(queue1.poll());
Stack
Stack Methods
public E push(E item)
Pushes an item onto the top of this stack. This has exactly the same effect as:
addElement(item)
Parameters:
item - the item to be pushed onto this stack.
Returns:
the item argument.
public E pop()
Removes the object at the top of this stack and returns that object as the value of this
function.
Returns:
The object at the top of this stack (the last item of the Vector object).
Throws:
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
EmptyStackException - if this stack is empty.
public E peek()
Looks at the object at the top of this stack without removing it from the stack.
Returns:
the object at the top of this stack (the last item of the Vector object).
Throws:
EmptyStackException - if this stack is empty.
public boolean empty()
Tests if this stack is empty.
Returns:
true if and only if this stack contains no items; false otherwise.
public int search(Object o)
Returns the 1-based position where an object is on this stack. If the object o occurs as an
item in this stack, this method returns the distance from the top of the stack of the
occurrence nearest the top of the stack; the topmost item on the stack is considered to be
at distance 1. The equals method is used to compare o to the items in this stack.
Parameters:
o - the desired object.
Returns:
the 1-based position from the top of the stack where the object is located; the
return value -1 indicates that the object is not on the stack.
package stack;
import java.util.Stack;
System.out.println(stack.empty());
System.out.println("------------");
System.out.println(stack.indexOf(60));
System.out.println(stack);
System.out.println(stack.empty());
}
What is hashing
Hashing is a process of converting an object into integer form by using the method
hashCode().
Hash function should return the same hash code each and every time, when function is
applied on same or equal objects. In other words, two equal objects must produce same
hash code consistently.
System.out.println("codeExampl1.hashCode()==" +
codeExampl1.hashCode());
}
}
Output:
codeExampl1.hashCode()==2018699554
codeExampl2.hashCode()==2018699554
codeExampl3.hashCode()==1311053135
s1.hashCode()==3556498
s2.hashCode()==3556498
All objects in java inherit a default implementation of hashCode() function defined in Object
class. This function produce hash code by typically converting the internal address of the
object into an integer, thus producing different hash codes for all different objects.
By the overriding hashCode() and equals() methods we can avoid entering duplicate data in
Set or Map class when we store custom object .
Map Class overrides hashCode() and equals() methods from Object Class.
Basic Idea about Hash Map and Methods which we need to know for Hashing concept
Java HashMap class contains values based on the key.
public class HashMap<K,V>
HashMap<Key, Value> map = new HashMap< Key, Value>();
map.put(Key, Value);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
map.get(Key)
hashCode() method
hashCode() method is used to get the hash Code of an object. hashCode() method of object
class returns the memory reference of object in integer form.
equals() method
equals method is used to check that 2 objects are equal or not. This method is provided by
Object class. You can override this in your class to provide your own implementation.
Points to Know
• Map will call overridden hashCode() and equals() methods during Data store .
• In general when we store primitive data type in set or Map then duplicate data is
taken care by the overridden hashCode() and equals() methods.
• We see data issue if we store user defined objects in HashSet or Map. You can
achieve this by implementing equals and hashcode methods at the user defined
objects.
Example where we are not overriding the hashCode() and equals() methods in our custom
class. And Map will call overridden hashCode() and equals() methods during data store or
Data retrieval.
import java.util.HashMap;
import java.util.HashSet;
import java.util.Set;
public class PersonHashingTest {
String data;
PersonHashingTest(String key) {
this.data = key;
}
Output
key=Aman Value=2 hashCode 2018699554 index=4
key=Ritesh Value=50 hashCode 1550089733 index=8
key=Ram Value=2 hashCode 865113938 index=8
key=Ritesh Value=5 hashCode 118352462 index=2
key=Test Value=7 hashCode 1028566121 index=11
key=Sunny Value=7 hashCode 1311053135 index=5
key=Test Value=7 hashCode 1442407170 index=0
String data;
PersonHashingTest1(String key) {
this.data = key;
}
@Override
public int hashCode() {
int hash = (int) data.charAt(0);
//System.out.println("hashCode for key: " + data + " = " + hash);
return hash;
}
@Override
public boolean equals(Object obj) {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
return data ==(((PersonHashingTest1) obj).data);
}
@Override
public String toString() {
return "Key1 [data=" + data + "]";
}
}
Output
key=pratap Value=20 hashCode 112 index=7
key=bhanu Value=10 hashCode 98 index=8
key=bhanuTest Value=40 hashCode 98 index=8
Example where we are overriding the Only equals() methods in our custom class.
import java.util.HashMap;
import java.util.Set;
String data;
PersonHashingTest2(String key) {
this.data = key;
}
@Override
public boolean equals(Object obj) {
return data ==(((PersonHashingTest2) obj).data);
}
public static void main(String[] args) {
import java.util.HashMap;
import java.util.Set;
String data;
PersonHashingTest3(String key) {
this.data = key;
}
@Override
public int hashCode() {
int hash = (int) data.charAt(0);
return hash;
}
@Override
public String toString() {
return "Key1 [data=" + data + "]";
}
}
Output
key=pratap Value=20 hashCode 112 index=7
key=bhanu Value=10 hashCode 98 index=8
key=bhanuTest Value=30 hashCode 98 index=8
key=bhanuTest Value=40 hashCode 98 index=8
create a hash function, such that our hash table has ‘N’ number of buckets.
To insert a node into the hash table, we need to find the hash index for the given key. And it
could be calculated using the hash function.
when will store the Key "Ritesh." Suppose hash code for the Key is 2349873. The index value
will be 1. Hence this Key will be stored at index 1.
get() method is used to get the value by its Key. It will not fetch the value if you don't know
the Key. When get(K Key) method is called, it calculates the hash code of the Key.
Suppose we have to fetch the Key "Aman." The following method will be called.
map.get(new Key("Aman"));
It generates the hash code as 2657860. Now calculate the index value of 2657860 by using
index formula. The index value will be 4, as we have calculated above. get() method search
for the index value 4. It compares the first element Key with the given Key. If both keys are
equal, then it returns the value else check for the next element in the node if it exists. In our
scenario, it is found as the first element of the node and return the value 19.
In hashing there is a hash function that maps keys to some values. But these hashing
function may lead to collision that is two or more keys are mapped to same value. Chain
hashing avoids collision. The idea is to make each cell of hash table point to a linked list of
records that have same hash function value.
Java HashSet
Constructor Description
HashSet() It is used to construct a default HashSet.
HashSet(int capacity) It is used to initialize the capacity of the hash set to the given
integer value capacity. The capacity grows automatically as
elements are added to the HashSet.
HashSet(int capacity, It is used to initialize the capacity of the hash set to the given
float loadFactor) integer value capacity and the specified load factor.
HashSet(Collection<? It is used to initialize the hash set by using the elements of the
extends E> c) collection c.
Initial Capacity
The initial capacity means the number of buckets (in backing HashMap) when hashset is
created. The number of buckets will be automatically increased if the current size gets full.
Default initial capacity is 16. We can override this default capacity by passing default
capacity in its constructor HashSet(int initialCapacity).
With default HashSet, the internal capacity is 16 and the load factor is 0.75. The number of
buckets will automatically get increased when the table has 12 elements in it.
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.Set;
import java.util.TreeSet;
System.out.println(set4);
System.out.println(set4);
package setClass;
import java.util.HashSet;
import java.util.Iterator;
set.add("Test1");
set.add("Test1");
set.add("Test2");
set.add("Test3");
set.add("Test4");
set.add("Test5");
Iterator<String> i = set.iterator();
while (i.hasNext()) {
System.out.println(i.next().hashCode());
}
knowInsertion();
}
set.add("Test1");
for (String data : set) {
System.out.println("add First Time Test1=" + data.hashCode() + "
index=" + data.hashCode() % 15);
}
set.add("Test1");
for (String data : set) {
System.out.println("add Second Time Test1=" + data.hashCode() + "
index=" + data.hashCode() % 15);
}
set.add("Test2");
set.add("Test3");
set.add("Test4");
set.add("Test5");
System.out.println(set);
Iterator<String> i = set.iterator();
while (i.hasNext()) {
String n = i.next();
System.out.println("Data=" + n +" hashcode "+n.hashCode()+" index="
+ (n.hashCode()) % 15);
}
}
}
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Add and AddAll Methods in all Set Classes difference
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.TreeSet;
set.addAll(set1);
System.out.println(set);
System.out.println(linkedHashSet);
treeSet.addAll(treeSet1);
System.out.println(treeSet);
}
}
package setClass;
import java.util.HashSet;
import java.util.Iterator;
public class Example2 {
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.Set;
import java.util.TreeSet;
String s1 = "test3";
Integer i = 90;
System.out.println(hashSet);
System.out.println(linkedHashSet);
// System.out.println(treeSet);
}
}
class Person1234 {
int age;
String name;
@Override
public String toString() {
return "Person1234 [age=" + age + ", name=" + name + "]";
}
}
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
import java.util.Set;
set.removeAll(set1);
System.out.println(set);
System.out.println("---------------");
Set<String> linkedHashSet = new LinkedHashSet<String>();
linkedHashSet.add("Test1");
linkedHashSet.add("Test2");
linkedHashSet.add("Test3");
linkedHashSet.add("Test4");
linkedHashSet.add("Test5");
System.out.println(linkedHashSet);
linkedHashSet.remove("Test1");
System.out.println(linkedHashSet);
linkedHashSet.removeAll(linkedHashSet1);
System.out.println(linkedHashSet);
linkedHashSet1.removeIf(s -> s.contains("Test3"));
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println(linkedHashSet);
}
}
Retain All Method in Set Classes
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.Set;
import java.util.TreeSet;
System.out.println(set.retainAll(set1));
System.out.println(set);
System.out.println("--------------");
Set<String> treeSet = new TreeSet<String>();
treeSet.add("Test1");
treeSet.add("Test2");
treeSet.add("Test3");
System.out.println(treeSet);
System.out.println(treeSet.retainAll(treeSet1));
System.out.println(treeSet);
System.out.println(linkedHashSet.retainAll(linkedHashSet1));
System.out.println(linkedHashSet);
}
}
Object class has a clone method which can be used to copy the values of an object without
any issue in case instance variables are of primitive types. But in case of instance variables
as objects, as only references are copied, we see issue with data manipulation by cloned
and original objects. This problem can be solved by overriding the clone method.
package setClass;
import java.util.HashSet;
original.add(3000);
original.add(2000);
original.add(2000);
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
// Modifying clone object
cloned.add(80);
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
cloned.remove(3000);
original.remove(2000);
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
}
}
package setClass;
import java.util.HashSet;
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
System.out.println("Original Object=="+original);
System.out.println("Cloned Object=="+cloned);
}
}
import java.util.HashSet;
/**
*
* @author Bhanu Pratap Singh
*
* This clone will give us shallow copy
*/
public class CloneWith_Reference2 {
private int i;
private int j;
@Override
public String toString() {
return "CloneWith_ReferenceVariable3 [i=" + i + ", j=" + j + "]";
}
System.out.println(original == cloned);
System.out.println("------------------------");
import java.util.HashSet;
import java.util.Iterator;
/**
*
* @author Bhanu Pratap Singh
*
* This Example will give us deep copy
*/
public class CloneWith_Reference3 implements Cloneable {
private int i;
private int j;
while (itr.hasNext()) {
CloneWith_Reference3 next = (CloneWith_Reference3)
itr.next().clone();
cloned.add(next);
}
package setClass;
import java.util.HashSet;
private int i;
private int j;
@Override
public String toString() {
return "CloneWith_Reference3 [i=" + i + ", j=" + j + ", employee=" + employee
+ "]";
}
HashSet<CloneWith_Reference4> cloned =
(HashSet<CloneWith_Reference4>) original.clone();
System.out.println(original == cloned);
System.out.println("------------------------");
class EmployeeTest {
int age;
String name;
@Override
public String toString() {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
return "Employee [name=" + name + ", age=" + age + "]";
}
}
package setClass;
import java.util.HashSet;
import java.util.Iterator;
private int i;
private int j;
@Override
protected Object clone() throws CloneNotSupportedException {
return (CloneWith_Reference5) super.clone();
}
@Override
public String toString() {
return "CloneWith_Reference5 [i=" + i + ", j=" + j + ", employee=" + employee
+ "]";
}
while (itr.hasNext()) {
next.setEmployee(emp);
cloned.add(next);
}
System.out.println("------------------------");
cloneWith_ReferenceVariable5.getEmployee().setName("clone");
cloneWith_ReferenceVariable5.getEmployee().setAge(300);
}
@Override
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
protected Object clone() throws CloneNotSupportedException {
return (EmployeeTestLocal) super.clone();
}
@Override
public String toString() {
return "Employee [name=" + name + ", age=" + age + "]";
}
}
package setClass;
import java.util.TreeSet;
Integer i;
Float f;
@Override
public int compareTo(PersonTreeSet2 o) {
return name.compareTo(o.getName());
}
@Override
public String toString() {
return "PersonTreeSet [name=" + name + ", age=" + age + "]";
}
System.out.println(personTreeSets);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
}
}
Below example shows how to avoid duplicate user defined objects from HashSet. You can
achieve this by implementing equals and hashcode methods at the user defined objects.
import java.util.HashSet;
System.out.println("After insertion:");
for (Price pr : lhm) {
System.out.println(pr);
}
}
}
package setClass;
import java.util.HashSet;
import java.util.LinkedHashSet;
import java.util.TreeSet;
int i;
int j;
@Override
public String toString() {
return "CloningConcept [i=" + i + ", j=" + j + "]";
}
package setClass;
import java.util.HashSet;
import java.util.Iterator;
class Price {
@Override
public int hashCode() {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println("In hashcode and object is " + this);
int hashcode = 0;
hashcode = price * 20;
hashcode += item.hashCode();
return hashcode;
}
@Override
public boolean equals(Object obj) {
System.out.println("In equals and object is " + this);
if (obj instanceof Price) {
Price pp = (Price) obj;
return (pp.item.equals(this.item) && pp.price == this.price);
} else {
return false;
}
}
package setClass;
import java.util.HashSet;
public class Example3 {
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
public static void main(String[] args) {
HashSet<String> set = new HashSet<String>();
set.add("Test1");
set.add("Test2");
set.add("Test3");
set.add("Test4");
System.out.println("An initial list of elements: " + set);
set.remove("Test1");
System.out.println("After invoking remove(object) method: " + set);
HashSet<String> set1 = new HashSet<String>();
set1.add("Test2");
set1.add("Test3");
set.addAll(set1);
System.out.println("Updated List: " + set);
set.removeAll(set1);
System.out.println("After invoking removeAll() method: " + set);
set.clear();
System.out.println("After invoking clear() method: " + set);
}
}
package setClass;
public class Book {
int id;
String name, author, publisher;
int quantity;
public Book(int id, String name, String author, String publisher, int quantity) {
this.id = id;
this.name = name;
this.author = author;
this.publisher = publisher;
this.quantity = quantity;
}
}
package setClass;
import java.util.HashSet;
public class Example4 {
LinkedHashSet()
Constructs a new, empty linked hash set with the default initial capacity (16) and load factor (0.75).
package setClass;
import java.util.HashSet;
import java.util.Iterator;
import java.util.LinkedHashSet;
Test1
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
Test40
Test20
Test3
Test2
=========
Test1
Test40
Test3
Test2
Test20
TreeSet
boolean add(E e)
Adds the specified element to this set if it is not already present.
E ceiling(E e)
Returns the least element in this set greater than or equal to the
given element, or null if there is no such element.
void clear()
Removes all of the elements from this set.
Object clone()
Returns a shallow copy of this TreeSet instance.
boolean contains(Object o)
Returns true if this set contains the specified element.
Iterator<E> descendingIterator()
Returns an iterator over the elements in this set in descending
order.
NavigableSet<E> descendingSet()
Returns a reverse order view of the elements contained in this set.
E first()
Returns the first (lowest) element currently in this set.
E floor(E e)
Returns the greatest element in this set less than or equal to the
given element, or null if there is no such element.
E higher(E e)
Returns the least element in this set strictly greater than the given
element, or null if there is no such element.
boolean isEmpty()
Returns true if this set contains no elements.
Iterator<E> iterator()
E last()
Returns the last (highest) element currently in this set.
E lower(E e)
Returns the greatest element in this set strictly less than the given
element, or null if there is no such element.
E pollFirst()
Retrieves and removes the first (lowest) element, or returns null if
this set is empty.
E pollLast()
Retrieves and removes the last (highest) element, or returns null if
this set is empty.
boolean remove(Object o)
Removes the specified element from this set if it is present.
int size()
Returns the number of elements in this set (its cardinality).
package setClass;
import java.util.Iterator;
import java.util.LinkedHashSet;
import java.util.TreeSet;
package setClass;
import java.util.Arrays;
import java.util.SortedSet;
import java.util.TreeSet;
obj.add(900);
obj.add(9);
obj.add(5);
obj.add(90);
obj.add(30);
obj.add(10);
obj.add(100);
obj.add(80);
obj.add(1);
System.out.println(obj);
System.out.println("------------------");
System.out.println("obj.pollFirst()=" + obj.pollFirst());
System.out.println("obj.pollLast()=" + obj.pollLast());
System.out.println(obj);
System.out.println("obj.ceiling(900)=" + obj.ceiling(900));
System.out.println("obj.ceiling(90)=" + obj.ceiling(90));
System.out.println(obj);
System.out.println("headSet inclusive=true");
System.out.println("obj.higher(5)=" + obj.higher(5));
System.out.println("obj.lower(30)=" + obj.lower(30));
}
[1, 5, 9, 10, 30, 80, 90, 100, 900]
------------------
obj.pollFirst()=1
obj.pollLast()=900
[5, 9, 10, 30, 80, 90, 100]
obj.ceiling(900)=null
obj.ceiling(90)=90
[5, 9, 10, 30, 80, 90, 100]
===headSet out by default inclusive=false ===
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
5
9
10
30
headSet inclusive=true
5
9
10
30
80
obj.higher(5)=9
obj.lower(30)=10
====tailSet output by default inclusive=true ===
80
90
100
====tailSet output inclusive=false ===
90
100
[5, 9, 10, 30, 80, 90, 100]
HashMap()
Constructs an empty HashMap with the default initial capacity (16) and the default load
factor (0.75).
HashMap(int initialCapacity)
Constructs an empty HashMap with the specified initial capacity and the default load factor
(0.75).
Load Factor
The load factor is a measure of how full the HashMap is allowed to get before its capacity is
automatically increased. Default load factor is 0.75.
This is called threshold and is equal to (DEFAULT_LOAD_FACTOR *
DEFAULT_INITIAL_CAPACITY). When HashSet elements count exceed this threshold, HashSet
is resized and new capacity is double the previous capacity.
With default HashMap, the internal capacity is 16 and the load factor is 0.75. The number of
buckets will automatically get increased when the table has 12 elements in it.
Methods
Modifier and Type Method and Description
void clear()
Removes all of the mappings from this map.
Object clone()
Returns a shallow copy of this HashMap instance: the keys
and values themselves are not cloned.
boolean containsKey(Object key)
Returns true if this map contains a mapping for the specified
key.
boolean containsValue(Object value)
Returns true if this map maps one or more keys to the
specified value.
Set<Map.Entry<K,V>> entrySet()
Returns a Set view of the mappings contained in this map.
V get(Object key)
Returns the value to which the specified key is mapped,
or null if this map contains no mapping for the key.
boolean isEmpty()
Returns true if this map contains no key-value mappings.
Set<K> keySet()
Returns a Set view of the keys contained in this map.
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
V put(K key, V value)
Associates the specified value with the specified key in this
map.
void putAll(Map<? extends K,? extends V> m)
Copies all of the mappings from the specified map to this
map.
V remove(Object key)
Removes the mapping for the specified key from this map if
present.
int size()
Returns the number of key-value mappings in this map.
Collection<V> values()
Returns a Collection view of the values contained in this map.
package mapClass;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;
package mapClass;
import java.util.HashMap;
public class Example1 {
}
Iterator Over HashMap
package mapClass;
import java.util.HashMap;
import java.util.HashSet;
import java.util.LinkedHashMap;
import java.util.Map;
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
import java.util.Map.Entry;
import java.util.Set;
import java.util.TreeMap;
map.put("Test1", "A");
map.put("Test2", "B");
map.put("Test3", "C");
map.put("Test4", "D");
System.out.println(map);
linkedHashMap.put("Test1", "A");
linkedHashMap.put("Test2", "B");
linkedHashMap.put("Test3", "C");
linkedHashMap.put("Test5", "D");
linkedHashMap.put("Test4", "D");
System.out.println(linkedHashMap);
treeMap.put("Test1", "A");
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
treeMap.put("Test2", "B");
treeMap.put("Test3", "C");
treeMap.put("Test5", "D");
treeMap.put("Test4", "D");
System.out.println(treeMap);
package mapClass;
import java.util.HashMap;
public class Example3 {
System.out.println(map.get("Test1"));
}
}
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map.Entry;
map.put("Test1", "A");
map.put("Test2", "B");
map.put("Test3", "C");
map.put("Test4", "D");
System.out.println(map);
System.out.println("=========");
System.out.println(map.remove("Test1"));
System.out.println(map);
System.out.println("=========");
map.putAll(map1);
System.out.println(map);
System.out.println(map.putIfAbsent("Test8", "putIfAbsent"));
System.out.println(map.putIfAbsent("Test80", "putIfAbsent"));
System.out.println(map);
System.out.println("---------------------");
System.out.println(linkedHashMap);
System.out.println("=========");
System.out.println(linkedHashMap.remove("Test1"));
System.out.println(linkedHashMap);
System.out.println("=========");
linkedHashMap.putAll(linkedHashMap1);
System.out.println(linkedHashMap);
}
}
Output
{Test1=A, Test4=D, Test3=C, Test2=B}
=========
A
{Test4=D, Test3=C, Test2=B}
=========
{Test8=D1, Test7=C1, Test6=B1, Test5=A1, Test4=D, Test3=C, Test2=B}
D1
null
{Test80=putIfAbsent, Test8=D1, Test7=C1, Test6=B1, Test5=A1, Test4=D, Test3=C, Test2=B}
---------------------
80698815 Test1
80698816 Test2
80698817 Test3
80698818 Test4
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
80698819 Test5
80698820 Test6
80698821 Test7
{Test1=A, Test2=B, Test3=C, Test4=D, Test5=A1, Test6=B1, Test7=C1}
=========
A
{Test2=B, Test3=C, Test4=D, Test5=A1, Test6=B1, Test7=C1}
=========
80698819 Test5
80698820 Test6
80698821 Test7
80698822 Test8
{Test2=B, Test3=C, Test4=D, Test5=A11, Test6=B11, Test7=C11, Test8=D11}
package mapClass;
import java.util.HashMap;
public class Example5 {
/**
* Removes all of the mappings from this map. The map will be empty
* after this call returns.
*/
map.clear();
/**
* Returns <tt>true</tt> if this map contains a mapping for the
* specified key.
*/
System.out.println(map.containsKey("Test1"));
/**
* value whose presence in this map is to be tested
* @return <tt>true</tt> if this map maps one or more keys to the
* specified value
*/
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println(map.containsValue("A"));
map.put("Test1", "A");
map.put("Test2", "B");
map.put("Test3", "C");
map.put("Test4", "D");
System.out.println(map.containsKey("Test1"));
System.out.println(map.containsValue("A"));
}
}
package mapClass;
import java.util.HashMap;
import java.util.Map.Entry;
import java.util.Set;
/**
* @return a set view of the mappings contained in this map.
*/
Set<Entry<String, String>> entry = map.entrySet();
/**
* Returns <tt>true</tt> if this map contains no key-value mappings.
*
* @return <tt>true</tt> if this map contains no key-value mappings
*/
System.out.println(map.isEmpty());
map.replace("Test2", "Test1000");
System.out.println(map);
}
}
package mapClass;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;
map.put("Test1", "A");
map.put("Test2", "B");
map.put("Test4", "D");
map.put("Test3", "C");
System.out.println(map);
System.out.println(map.replace("Test100", "100"));
System.out.println(map.replace("Test1", "100"));
System.out.println(map);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
map.replace("Test2", "B", "200");
System.out.println(map);
System.out.println(map);
System.out.println(map);
/**
Hash Map Output
*/
}
}
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.LinkedList;
import java.util.Map;
map.put(10, 1000);
map.put("Test1", "AAA");
map.put(10.90, 10.999);
map.put('A', 'n');
System.out.println(map);
System.out.println(linkedList);
}
}
Output
{Test1=AAA, A=n, 10.9=10.999, 10=1000}
[10, true, A]
[10, true, A]
[A, 10, true]
package mapClass;
System.out.println(map);
System.out.println(linkedHashMap);
System.out.println(treeMap);
}
class Person {
@Override
public String toString() {
return "Person [age=" + age + ", name=" + name + "]";
}
When we store custom object as a key Tree Map will throw exception
// Exception in thread "main" java.lang.ClassCastException: mapClass.Person
// cannot be cast to java.lang.Comparable
package mapClass;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;
System.out.println(map);
System.out.println(linkedHashMap);
System.out.println(treeMap);
}
class Person1 {
@Override
public String toString() {
return "Person [age=" + age + ", name=" + name + "]";
}
When we store custom object as a key Tree Map will throw exception. This can handle by
implementing comparable Interface.
package mapClass;
import java.util.HashMap;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.TreeMap;
System.out.println(linkedHashMap);
System.out.println(treeMap);
}
@Override
public int compareTo(Person2 o) {
return this.getAge().compareTo(o.getAge());
// return name.compareTo(o.getName());
}
@Override
public String toString() {
return "Person [age=" + age + ", name=" + name + "]";
}
When we store custom object as a key Tree Map will throw exception. This can handle by
supply comparator as a Tree Map constructor argument.
package mapClass;
import java.util.Comparator;
import java.util.Map;
import java.util.TreeMap;
@Override
public int compare(Employee o1, Employee o2) {
return o1.getAge().compareTo(o2.getAge());
}
};
return o1.getName().compareTo(o2.getName());
}
};
System.out.println(treeMap);
System.out.println(treeMap1);
}
class Employee {
@Override
public String toString() {
return "Person [age=" + age + ", name=" + name + "]";
}
}
package mapClass;
import java.util.HashMap;
import java.util.Map;
public class Example9 {
map.put(null, "Test1");
map.put(null, "Test1");
map.put(null, "Test1");
map.put(null, "Test1");
map.put(1, null);
map.put(2, null);
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
map.put(3, null);
map.put(4, null);
System.out.println(map);
}
}
Map Overview
There are 4 commonly used implementations of Map in Java SE - HashMap, TreeMap,
Hashtable and LinkedHashMap. If we use one sentence to describe each implementation, it
would be the following:
package mapClass;
import java.util.LinkedHashMap;
import java.util.TreeMap;
System.out.println(linkedHashMap);
System.out.println(treeMap);
}
}
Tree Map
Note that this implementation is not synchronized. If multiple threads access a map
concurrently, and at least one of the threads modifies the map structurally, it must be
synchronized externally. (A structural modification is any operation that adds or deletes one
or more mappings; merely changing the value associated with an existing key is not a
structural modification.) This is typically accomplished by synchronizing on some object that
naturally encapsulates the map. If no such object exists, the map should be "wrapped" using
the Collections.synchronizedSortedMap method. This is best done at creation time, to
prevent accidental unsynchronized access to the map:
TreeMap()
Constructs a new, empty tree map, using the natural ordering of its keys.
Methods
Modifier and Type Method and Description
Map.Entry<K,V> ceilingEntry(K key)
Returns a key-value mapping associated with the least key
greater than or equal to the given key, or null if there is no such
key.
K ceilingKey(K key)
Returns the least key greater than or equal to the given key,
or null if there is no such key.
void clear()
Removes all of the mappings from this map.
Object clone()
Returns a shallow copy of this TreeMap instance.
Comparator<? super K> comparator()
Returns the comparator used to order the keys in this map,
or null if this map uses the natural ordering of its keys.
boolean containsKey(Object key)
Returns true if this map contains a mapping for the specified key.
boolean containsValue(Object value)
Returns true if this map maps one or more keys to the specified
value.
NavigableSet<K> descendingKeySet()
Returns a reverse order NavigableSet view of the keys contained
in this map.
NavigableMap<K,V> descendingMap()
Returns a reverse order view of the mappings contained in this
map.
Set<Map.Entry<K,V>> entrySet()
Returns a Set view of the mappings contained in this map.
Map.Entry<K,V> firstEntry()
Returns a key-value mapping associated with the least key in this
map, or null if the map is empty.
K firstKey()
Returns the first (lowest) key currently in this map.
Map.Entry<K,V> floorEntry(K key)
1. ceilingEntry(K Key) : It is used to return a key-value mapping associated with the least key
greater than or equal to the given key, or null if there is no such key.
package mapClass;
import java.util.*;
treemap.put(2, "two");
treemap.put(7, "seven");
treemap.put(3, "three");
treemap.put(30, "four");
treemap.put(40, "five");
treemap.put(50, "six");
}
}
Output:
The next greater key-value of 12 is : 30=four
The next greater key-value of 80 is : null
2. ceilingKey(K key) : This has also the same work as that of the upper one but the only
difference is that it does not contains the mapped-keys.It simply returns the least key
greater or equal to the given key, else returns NULL
package mapClass;
import java.util.*;
treemap.put(2, "two");
treemap.put(7, "seven");
treemap.put(3, "three");
treemap.put(30, "four");
treemap.put(40, "five");
treemap.put(50, "six");
}
}
Output
The next greater key-value of 12 is : 30=four
The next greater key-value of 80 is : null
The next greater key of 12 is : 30
The next greater key of 80 is : null
package mapClass;
import java.util.Collection;
import java.util.Map.Entry;
import java.util.NavigableMap;
import java.util.NavigableSet;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
keepDistance();
treeMap.put(10, "Test1");
treeMap.put(20, "Test2");
treeMap.put(30, "Test3");
treeMap.put(40, "Test4");
treeMap.put(50, "Test5");
treeMap.put(60, "Test6");
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
System.out.println("print1 "+treeMap);
keepDistance();
floorEntry = treeMap.floorEntry(300);
System.out.println("print8 "+floorEntry);
keepDistance();
keepDistance();
System.out.println("print16 "+treeMap);
Entry<Integer, String> pollFirstEntry = treeMap.pollFirstEntry();
System.out.println("print17 "+pollFirstEntry);
System.out.println("print18 "+treeMap);
keepDistance();
Is it possible to store multiple null key and null value in Map classes.
package mapClass;
import java.util.HashMap;
import java.util.TreeMap;
hasMap.put(null, null);
hasMap.put(null, null);
hasMap.put(null, null);
hasMap.put(20, null);
hasMap.put(30, null);
System.out.println(hasMap);
System.out.println("---------");
TreeMap<Integer, String> treeMap = new TreeMap<Integer, String>();
treeMap.put(null, null);
treeMap.put(null, null);
treeMap.put(null, null);
treeMap.put(20, null);
treeMap.put(30, null);
System.out.println(treeMap);
}
}
Output
{null=null, 20=null, 30=null}
---------
Exception in thread "main" java.lang.NullPointerException
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
at java.util.TreeMap.compare(TreeMap.java:1294)
at java.util.TreeMap.put(TreeMap.java:538)
at mapClass.Example16.main(Example16.java:23)
The compute(Key, BiFunction) method of HashMap class allows you to update a value in
HashMap. The compute() method tries to compute a mapping for the specified key and its
current mapped value (or null if there is no current mapping is found). This method is used
to atomically update a value for given key in HashMap.
import java.util.HashMap;
import java.util.Map;
/**
*
* https://www.youtube.com/user/MrBhanupratap29/playlists
* https://github.com/LearnByBhanuPratap
*
*/
public class ComputeMethod {
map.put("Name", "Bhanu");
map.put("Address", "Bihar");
System.out.println("------------------------");
System.out.println("Map: " + map1);
System.out.println(map1.get("Test4"));
map1.compute("Test4", (key, val) -> (val == null) ? 90 : val + 400);
System.out.println("------------------------");
System.out.println("------------------------");
map1 = new HashMap<>();
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
map1.put("Test1", 12);
map1.put("Test2", 15);
}
}
Output
Map: {Address=Bihar, Name=Bhanu}
New Map: {Address=Bihar Muzaffarupur, Name=Bhanu Singh}
------------------------
Map: {Test1=12, Test3=null, Test2=15}
null
New Map: {Test1=112, Test4=90, Test3=0, Test2=515}
------------------------
computeIfAbsent Map: {Address=Bihar, Name=Bhanu}
computeIfAbsent New Map: {Address=Bihar, Test=Test Singh, Address1=BiharMuzaffarupur,
Name=Bhanu}
------------------------
computeIfPresent Map: {Test1=12, Test2=15}
null
computeIfPresent New Map: {Test1=112, Test2=7500}
1. ceilingEntry(K Key) : It is used to return a key-value mapping associated with the least key
greater than or equal to the given key, or null if there is no such key.
2. ceilingKey(K key) : This has also the same work as that of the upper one but the only
difference is that it does not contains the mapped-keys.It simply returns the least key
greater or equal to the given key, else returns NULL.
import java.util.*;
//treemap.put(null, "two");
treemap.put(2, "two");
treemap.put(7, "seven");
treemap.put(3, "three");
treemap.put(30, "four");
treemap.put(40, "five");
treemap.put(50, "six");
}
}
Output:
The next greater key-value of 12 is : 30=four
The next greater key-value of 80 is : null
The key-value of 40 is : 40=five
By Bhanu Pratap Singh
https://www.youtube.com/user/MrBhanupratap29/playlists
https://www.facebook.com/learnbybhanupratap/
https://www.udemy.com/seleniumbybhanu/
The next greater key of 12 is : 30
The next greater key of 80 is : null
The key of 40 is : 40