SlideShare a Scribd company logo
1 of 20
1
Autoboxing and Unboxing:
The automatic conversion of primitive data types into its equivalent Wrapper type is
known as boxing and opposite operation is known as unboxing. This is the new feature of
Java5. So java programmer doesn't need to write the conversion code.
Advantage of Autoboxing and Unboxing:
No need of conversion between primitives and Wrappers manually so less coding is
required.
Simple Example of Autoboxing in java:
1. class BoxingExample1{
2. public static void main(String args[]){
3. int a=50;
4. Integer a2=new Integer(a);//Boxing
5.
6. Integer a3=5;//Boxing
7.
8. System.out.println(a2+" "+a3);
9. }
10. }
11.
Test it Now
Output:50 5
download this example
Simple Example of Unboxing in java:
The automatic conversion of wrapper class type into corresponding primitive type, is
known as Unboxing. Let's see the example of unboxing:
1.
2. class UnboxingExample1{
3. public static void main(String args[]){
4. Integer i=new Integer(50);
5. int a=i;
2
6.
7. System.out.println(a);
8. }
9. }
10.
Wrapper class in Java
Wrapper class in java provides the mechanism to convert primitive into object and object
into primitive.
Since J2SE 5.0, autoboxing and unboxing feature converts primitive into object and object
into primitive automatically. The automatic conversion of primitive into object is known
and autoboxing and vice-versa unboxing.
One of the eight classes of java.lang package are known as wrapper class in java. The list of
eight wrapper classes are given below:
Primitive Type Wrapper clas
boolean Boolean
char Character
byte Byte
short Short
int Integer
long Long
float Float
double Double
Wrapper class Example: Primitive to Wrapper
1. public class WrapperExample1{
2. public static void main(String args[]){
3. //Converting int into Integer
4. int a=20;
3
5. Integer i=Integer.valueOf(a);//converting int into Integer
6. Integer j=a;//autoboxing, now compiler will write Integer.valueOf(a) internally
7.
8. System.out.println(a+" "+i+" "+j);
9. }}
Output:
20 20 20
Wrapper class Example: Wrapper to Primitive
1. public class WrapperExample2{
2. public static void main(String args[]){
3. //Converting Integer to int
4. Integer a=new Integer(3);
5. int i=a.intValue();//converting Integer to int
6. int j=a;//unboxing, now compiler will write a.intValue() internally
7.
8. System.out.println(a+" "+i+" "+j);
9. }}
Output:
3 3 3
4
Difference between object and class
There are many differences between object and class. A list of differences between
object and class are given below:
No. Object
1) Object is an instance of a class.
2) Object is a real world entity such as pen, laptop, mobile, bed, keyboard, mouse, chair e
3) Object is a physical entity.
4) Object is created through new keyword ma
Student s1=new Student();
5) Object is created many times as per requirement.
6) Object allocates memory when it is created.
7) There are many ways to create object in java such as new keyword, newInstance
method, factory method and deserialization.
Next TopicMethod Overloading vs Method Overriding
โ† prevnext โ†’
5
Difference between method overloading and method overriding in java
There are many differences between method overloading and method overriding in java. A
list of differences between method overloading and method overriding are given below:
No. Method Overloading
1) Method overloading is used to increase the readability of the program.
2) Method overloading is performed within class.
3) In case of method overloading, parameter must be different.
4) Method overloading is the example of compile time polymorphism.
5) In java, method overloading can't be performed by changing return type of the metho
only. Return type can be same or different in method overloading. But you must have to chang
the parameter.
Java Method Overloading example
1. class OverloadingExample{
2. static int add(int a,int b){return a+b;}
3. static int add(int a,int b,int c){return a+b+c;}
4. }
Java Method Overriding example
1. class Animal{
2. void eat(){System.out.println("eating...");}
3. }
4. class Dog extends Animal{
5. void eat(){System.out.println("eating bread...");}
6. }
Next 1) String compare by equals() method
The String equals() method compares the original content of the string. It compares values
of string for equality. String class provides two methods:
6
o public boolean equals(Object another) compares this string to the specified
object.
o public boolean equalsIgnoreCase(String another) compares this String to
another string, ignoring case.
1. class Teststringcomparison1{
2. public static void main(String args[]){
3. String s1="Sachin";
4. String s2="Sachin";
5. String s3=new String("Sachin");
6. String s4="Saurav";
7. System.out.println(s1.equals(s2));//true
8. System.out.println(s1.equals(s3));//true
9. System.out.println(s1.equals(s4));//false
10. }
11. }
Test it Now
Output:true
true
false
1. class Teststringcomparison2{
2. public static void main(String args[]){
3. String s1="Sachin";
4. String s2="SACHIN";
5.
6. System.out.println(s1.equals(s2));//false
7. System.out.println(s1.equalsIgnoreCase(s3));//true
8. }
9. } Test it Now
Output:false
true
2) String compare by == operator
The = = operator compares references not values.
1. class Teststringcomparison3{
2. public static void main(String args[]){
3. String s1="Sachin";
7
4. String s2="Sachin";
5. String s3=new String("Sachin");
6. System.out.println(s1==s2);//true (because both refer to same instance)
7. System.out.println(s1==s3);//false(because s3 refers to instance created in nonpool)
8. }
9. }
Test it ow
Output:true
false
3) String compare 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:
o s1 == s2 :0
o s1 > s2 :positive value
o s1 < s2 :negative value
1. class Teststringcomparison4{
2. public static void main(String args[]){
3. String s1="Sachin";
4. String s2="Sachin";
5. String s3="Ratan";
6. System.out.println(s1.compareTo(s2));//0
7. System.out.println(s1.compareTo(s3));//1(because s1>s3)
8. System.out.println(s3.compareTo(s1));//-1(because s3 < s1 )
9. }
10. }
2) String Concatenation by concat() method
The String concat() method concatenates the specified string to the end of current string.
Syntax:
1. public String concat(String another)
Let's see the example of String concat() method.
8
1. class TestStringConcatenation3{
2. public static void main(String args[]){
3. String s1="Sachin ";
4. String s2="Tendulkar";
5. String s3=s1.concat(s2);
6. System.out.println(s3);//Sachin Tendulkar
7. }
8. }
Test it NowSachin Tendulkar
Substring in Java
A part of string is called substring. In other words, substring is a subset of another string.
In case of substring startIndex is inclusive and endIndex is exclusive.
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:
o startIndex: inclusive
o endIndex: exclusive
Let's understand the startIndex and endIndex by the code given below.
1. String s="hello";
2. System.out.println(s.substring(0,2));//he
In the above substring, 0 points to h but 2 points to e (because end index is exclusive).
Example of java substring
1. public class TestSubstring{
2. public static void main(String args[]){
3. String s="Sachin Tendulkar";
4. System.out.println(s.substring(6));//Tendulkar
9
5. System.out.println(s.substring(0,6));//Sachin
6. }
7. }
Java String class methods
The java.lang.String class provides a lot of methods to work on string. By the help of these
methods, we can perform operations on string such as trimming, concatenating, converting,
comparing, replacing strings etc.
Java String is a powerful concept because everything is treated as a string if you submit any
form in window based, web based or mobile application.
Let's see the important methods of String class.
Java String toUpperCase() and toLowerCase() method
The java string toUpperCase() method converts this string into uppercase letter and string
toLowerCase() method into lowercase letter.
1. String s="Sachin";
2. System.out.println(s.toUpperCase());//SACHIN
3. System.out.println(s.toLowerCase());//sachin
4. System.out.println(s);//Sachin(no change in original)
Test it Now
SACHIN
sachin
Sachin
Java String trim() method
The string trim() method eliminates white spaces before and after string.
1. String s=" Sachin ";
2. System.out.println(s);// Sachin
3. System.out.println(s.trim());//Sachin
Test it Now
Sachin
Sachin
10
Java String startsWith() and endsWith() method
1. String s="Sachin";
2. System.out.println(s.startsWith("Sa"));//true
3. System.out.println(s.endsWith("n"));//true
Test it Now
true
true
Java String charAt() method
The string charAt() method returns a character at specified index.
1. String s="Sachin";
2. System.out.println(s.charAt(0));//S
3. System.out.println(s.charAt(3));//h
Test it Now
S
h
Java String length() method
The string length() method returns length of the string.
1. String s="Sachin";
2. System.out.println(s.length());//6
Test it Now
6
Java String intern() method
A pool of strings, initially empty, is maintained privately by the class String.
When the intern method is invoked, if the pool already contains a string equal to this String
object as determined by the equals(Object) method, then the string from the pool is
returned. Otherwise, this String object is added to the pool and a reference to this String
object is returned.
1. String s=new String("Sachin");
11
2. String s2=s.intern();
3. System.out.println(s2);//Sachin
4. Test it Now
Sachin
Java String valueOf() method
The string valueOf() method coverts given type such as int, long, float, double, boolean,
char and char array into string.
1. int a=10;
2. String s=String.valueOf(a);
3. System.out.println(s+10);
Output:
1010
Java String replace() method
The string replace() method replaces all occurrence of first sequence of character with
second sequence of character.
1. String s1="Java is a programming language. Java is a platform. Java is an Island.";
2. String replaceString=s1.replace("Java","Kava");//replaces all occurrences of "Java" to "Kava
"
3. System.out.println(replaceString);
Output:
Kava is a programming language. Kava is a platform. Kava is an Island.
next โ†’โ† prev
Java StringBuffer class
Java StringBuffer class is used to created mutable (modifiable) string. The StringBuffer
class in java is same as String class except it is mutable i.e. it can be changed.
12
Note: Java StringBuffer class is thread-safe i.e. multiple threads cannot access it
simultaneously. So it is safe and will result in an order.
Important Constructors of StringBuffer class
1. StringBuffer(): creates an empty string buffer with the initial capacity of 16.
2. StringBuffer(String str): creates a string buffer with the specified string.
3. StringBuffer(int capacity): creates an empty string buffer with the specified
capacity as length.
Important methods of StringBuffer class
1. public synchronized StringBuffer append(String s): is used to append the
specified string with this string. The append() method is overloaded like
append(char), append(boolean), append(int), append(float), append(double)
etc.
2. public synchronized StringBuffer insert(int offset, String s): is used to
insert the specified string with this string at the specified position. The insert()
method is overloaded like insert(int, char), insert(int, boolean), insert(int, int),
insert(int, float), insert(int, double) etc.
3. public synchronized StringBuffer replace(int startIndex, int endIndex,
String str): is used to replace the string from specified startIndex and endIndex.
4. public synchronized StringBuffer delete(int startIndex, int endIndex): is
used to delete the string from specified startIndex and endIndex.
5. public synchronized StringBuffer reverse(): is used to reverse the string.
6. public int capacity(): is used to return the current capacity.
7. public void ensureCapacity(int minimumCapacity): is used to ensure the
capacity at least equal to the given minimum.
8. public char charAt(int index): is used to return the character at the specified
position.
9. public int length(): is used to return the length of the string i.e. total number of
characters.
10. public String substring(int beginIndex): is used to return the substring from
the specified beginIndex.
11. public String substring(int beginIndex, int endIndex): is used to return the
substring from the specified beginIndex and endIndex.
13
What is mutable string
A string that can be modified or changed is known as mutable string. StringBuffer and
StringBuilder classes are used for creating mutable string.
1) StringBuffer append() method
The append() method concatenates the given argument with this string.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer("Hello ");
4. sb.append("Java");//now original string is changed
5. System.out.println(sb);//prints Hello Java
6. }
7. }
2) StringBuffer insert() method
The insert() method inserts the given string with this string at the given position.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer("Hello ");
4. sb.insert(1,"Java");//now original string is changed
5. System.out.println(sb);//prints HJavaello
6. }
7. }
3) StringBuffer replace() method
The replace() method replaces the given string from the specified beginIndex and
endIndex.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer("Hello");
4. sb.replace(1,3,"Java");
5. System.out.println(sb);//prints HJavalo
6. }
7. }
14
4) StringBuffer delete() method
The delete() method of StringBuffer class deletes the string from the specified
beginIndex to endIndex.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer("Hello");
4. sb.delete(1,3);
5. System.out.println(sb);//prints Hlo
6. }
7. }
5) StringBuffer reverse() method
The reverse() method of StringBuilder class reverses the current string.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer("Hello");
4. sb.reverse();
5. System.out.println(sb);//prints olleH
6. }
7. }
6) StringBuffer capacity() method
The capacity() method of StringBuffer class returns the current capacity of the buffer.
The default capacity of the buffer is 16. If the number of character increases from its
current capacity, it increases the capacity by (oldcapacity*2)+2. For example if your
current capacity is 16, it will be (16*2)+2=34.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer();
4. System.out.println(sb.capacity());//default 16
5. sb.append("Hello");
6. System.out.println(sb.capacity());//now 16
7. sb.append("java is my favourite language");
8. System.out.println(sb.capacity());//now (16*2)+2=34 i.e (oldcapacity*2)+2
9. }
15
10. }
7) StringBuffer ensureCapacity() method
The ensureCapacity() method of StringBuffer class ensures that the given capacity is
the minimum to the current capacity. If it is greater than the current capacity, it
increases the capacity by (oldcapacity*2)+2. For example if your current capacity is 16,
it will be (16*2)+2=34.
1. class A{
2. public static void main(String args[]){
3. StringBuffer sb=new StringBuffer();
4. System.out.println(sb.capacity());//default 16
5. sb.append("Hello");
6. System.out.println(sb.capacity());//now 16
7. sb.append("java is my favourite language");
8. System.out.println(sb.capacity());//now (16*2)+2=34 i.e (oldcapacity*2)+2
9. sb.ensureCapacity(10);//now no change
10. System.out.println(sb.capacity());//now 34
11. sb.ensureCapacity(50);//now (34*2)+2
12. System.out.println(sb.capacity());//now 70
13. }
14. }
Difference between String and StringBuffer
There are many differences between String and StringBuffer. A list of differences between
String and StringBuffer are given below:
No. String
1) String class is immutable.
2) String is slow and consumes more memory when you concat too many strings because every
creates new instance.
3) String class overrides the equals() method of Object class. So you can compare the contents
strings by equals() method.
Performance Test of String and StringBuffer
16
1. public class ConcatTest{
2. public static String concatWithString() {
3. String t = "Java";
4. for (int i=0; i<10000; i++){
5. t = t + "Tpoint";
6. }
7. return t;
8. }
9. public static String concatWithStringBuffer(){
10. StringBuffer sb = new StringBuffer("Java");
11. for (int i=0; i<10000; i++){
12. sb.append("Tpoint");
13. }
14. return sb.toString();
15. }
16. public static void main(String[] args){
17. long startTime = System.currentTimeMillis();
18. concatWithString();
19. System.out.println("Time taken by Concating with String: "+(System.currentTimeMillis
()-startTime)+"ms");
20. startTime = System.currentTimeMillis();
21. concatWithStringBuffer();
22. System.out.println("Time taken by Concating with StringBuffer: "+(System.currentTim
eMillis()-startTime)+"ms");
23. }
24. }
Time taken by Concating with String: 578ms
Time taken by Concating with StringBuffer: 0ms
String and StringBuffer HashCode Test
As you can see in the program given below, String returns new hashcode value when you
concat string but StringBuffer returns same.
1. public class InstanceTest{
2. public static void main(String args[]){
3. System.out.println("Hashcode test of String:");
4. String str="java";
5. System.out.println(str.hashCode());
17
6. str=str+"tpoint";
7. System.out.println(str.hashCode());
8.
9. System.out.println("Hashcode test of StringBuffer:");
10. StringBuffer sb=new StringBuffer("java");
11. System.out.println(sb.hashCode());
12. sb.append("tpoint");
13. System.out.println(sb.hashCode());
14. }
15. }
Hashcode test of String:
3254818
229541438
Hashcode test of StringBuffer:
118352462
118352462
Java toString() method
If you want to represent any object as a string, toString() method comes into existence.
The toString() method returns the string representation of the object.
If you print any object, java compiler internally invokes the toString() method on the
object. So overriding the toString() method, returns the desired output, it can be the state
of an object etc. depends on your implementation.
Advantage of Java toString() method
By overriding the toString() method of the Object class, we can return values of the object,
so we don't need to write much code.
Understanding problem without toString() method
Let's see the simple code that prints reference.
1. class Student{
2. int rollno;
3. String name;
4. String city;
5.
18
6. Student(int rollno, String name, String city){
7. this.rollno=rollno;
8. this.name=name;
9. this.city=city;
10. }
11.
12. public static void main(String args[]){
13. Student s1=new Student(101,"Raj","lucknow");
14. Student s2=new Student(102,"Vijay","ghaziabad");
15.
16. System.out.println(s1);//compiler writes here s1.toString()
17. System.out.println(s2);//compiler writes here s2.toString()
18. }
19. }
Output:Student@1fee6fc
Student@1eed786
As you can see in the above example, printing s1 and s2 prints the hashcode values of
the objects but I want to print the values of these objects. Since java compiler
internally calls toString() method, overriding this method will return the specified
values. Let's understand it with the example given below:
Example of Java toString() method
Now let's see the real example of toString() method.
1. class Student{
2. int rollno;
3. String name;
4. String city;
5.
6. Student(int rollno, String name, String city){
7. this.rollno=rollno;
8. this.name=name;
9. this.city=city;
10. }
11.
12. public String toString(){//overriding the toString() method
13. return rollno+" "+name+" "+city;
19
14. }
15. public static void main(String args[]){
16. Student s1=new Student(101,"Raj","lucknow");
17. Student s2=new Student(102,"Vijay","ghaziabad");
18.
19. System.out.println(s1);//compiler writes here s1.toString()
20. System.out.println(s2);//compiler writes here s2.toString()
21. }
22. }
download this example of toString method
Output:101 Raj lucknow
102 Vijay ghaziabad
StringTokenizer in Java
1. StringTokenizer
2. Methods of StringTokenizer
3. Example of StringTokenizer
The java.util.StringTokenizer class allows you to break a string into tokens. It is simple
way to break string.
It doesn't provide the facility to differentiate numbers, quoted strings, identifiers etc. like
StreamTokenizer class. We will discuss about the StreamTokenizer class in I/O chapter.
Constructors of StringTokenizer class
There are 3 constructors defined in the StringTokenizer class.
Constructor Description
StringTokenizer(String str) creates StringTokenizer with specified string.
StringTokenizer(String str, String delim) creates StringTokenizer with specified string and
StringTokenizer(String str, String delim,
boolean returnValue)
creates StringTokenizer with specified string, deli
considered to be tokens. If it is false, delimiter cha
20
Methods of StringTokenizer class
Public method Description
boolean hasMoreTokens() checks if there is more tokens ava
String nextToken() returns the next token from the S
String nextToken(String delim) returns the next token based on t
boolean hasMoreElements() same as hasMoreTokens() metho
Object nextElement() same as nextToken() but its retur
int countTokens() returns the total number of token
Simple example of StringTokenizer class
Let's see the simple example of StringTokenizer class that tokenizes a string "my name is
khan" on the basis of whitespace.
1. import java.util.StringTokenizer;
2. public class Simple{
3. public static void main(String args[]){
4. StringTokenizer st = new StringTokenizer("my name is khan"," ");
5. while (st.hasMoreTokens()) {
6. System.out.println(st.nextToken());
7. }
8. }
9. }
Output:my
name
is
khan

More Related Content

What's hot

Java class,object,method introduction
Java class,object,method introductionJava class,object,method introduction
Java class,object,method introductionSohanur63
ย 
Java 8 lambda
Java 8 lambdaJava 8 lambda
Java 8 lambdaManav Prasad
ย 
Java Exception handling
Java Exception handlingJava Exception handling
Java Exception handlingkamal kotecha
ย 
Packages,static,this keyword in java
Packages,static,this keyword in javaPackages,static,this keyword in java
Packages,static,this keyword in javaVishnu Suresh
ย 
Java exception handling
Java exception handlingJava exception handling
Java exception handlingBHUVIJAYAVELU
ย 
Java 8 presentation
Java 8 presentationJava 8 presentation
Java 8 presentationVan Huong
ย 
Polymorphism presentation in java
Polymorphism presentation in javaPolymorphism presentation in java
Polymorphism presentation in javaAhsan Raja
ย 
oops concept in java | object oriented programming in java
oops concept in java | object oriented programming in javaoops concept in java | object oriented programming in java
oops concept in java | object oriented programming in javaCPD INDIA
ย 
Control Statements in Java
Control Statements in JavaControl Statements in Java
Control Statements in JavaNiloy Saha
ย 
Basic Concepts of OOPs (Object Oriented Programming in Java)
Basic Concepts of OOPs (Object Oriented Programming in Java)Basic Concepts of OOPs (Object Oriented Programming in Java)
Basic Concepts of OOPs (Object Oriented Programming in Java)Michelle Anne Meralpis
ย 
Methods in java
Methods in javaMethods in java
Methods in javachauhankapil
ย 
Fundamentals of JAVA
Fundamentals of JAVAFundamentals of JAVA
Fundamentals of JAVAKUNAL GADHIA
ย 
Java 8 Stream API. A different way to process collections.
Java 8 Stream API. A different way to process collections.Java 8 Stream API. A different way to process collections.
Java 8 Stream API. A different way to process collections.David Gรณmez Garcรญa
ย 
Java abstract class & abstract methods
Java abstract class & abstract methodsJava abstract class & abstract methods
Java abstract class & abstract methodsShubham Dwivedi
ย 
Exception Handling
Exception HandlingException Handling
Exception HandlingReddhi Basu
ย 

What's hot (20)

Java class,object,method introduction
Java class,object,method introductionJava class,object,method introduction
Java class,object,method introduction
ย 
Java 8 lambda
Java 8 lambdaJava 8 lambda
Java 8 lambda
ย 
Wrapper classes
Wrapper classes Wrapper classes
Wrapper classes
ย 
Java Exception handling
Java Exception handlingJava Exception handling
Java Exception handling
ย 
Java Annotations
Java AnnotationsJava Annotations
Java Annotations
ย 
Packages,static,this keyword in java
Packages,static,this keyword in javaPackages,static,this keyword in java
Packages,static,this keyword in java
ย 
Java exception handling
Java exception handlingJava exception handling
Java exception handling
ย 
Method overloading
Method overloadingMethod overloading
Method overloading
ย 
Java 8 presentation
Java 8 presentationJava 8 presentation
Java 8 presentation
ย 
Polymorphism presentation in java
Polymorphism presentation in javaPolymorphism presentation in java
Polymorphism presentation in java
ย 
oops concept in java | object oriented programming in java
oops concept in java | object oriented programming in javaoops concept in java | object oriented programming in java
oops concept in java | object oriented programming in java
ย 
Control Statements in Java
Control Statements in JavaControl Statements in Java
Control Statements in Java
ย 
Basic Concepts of OOPs (Object Oriented Programming in Java)
Basic Concepts of OOPs (Object Oriented Programming in Java)Basic Concepts of OOPs (Object Oriented Programming in Java)
Basic Concepts of OOPs (Object Oriented Programming in Java)
ย 
Java threads
Java threadsJava threads
Java threads
ย 
Methods in java
Methods in javaMethods in java
Methods in java
ย 
Fundamentals of JAVA
Fundamentals of JAVAFundamentals of JAVA
Fundamentals of JAVA
ย 
Java 8 Stream API. A different way to process collections.
Java 8 Stream API. A different way to process collections.Java 8 Stream API. A different way to process collections.
Java 8 Stream API. A different way to process collections.
ย 
Java abstract class & abstract methods
Java abstract class & abstract methodsJava abstract class & abstract methods
Java abstract class & abstract methods
ย 
Final keyword in java
Final keyword in javaFinal keyword in java
Final keyword in java
ย 
Exception Handling
Exception HandlingException Handling
Exception Handling
ย 

Similar to Autoboxing and unboxing

JAVA CONCEPTS
JAVA CONCEPTS JAVA CONCEPTS
JAVA CONCEPTS Shivam Singh
ย 
Wrapper class
Wrapper classWrapper class
Wrapper classkamal kotecha
ย 
Learning Java 1 โ€“ย Introduction
Learning Java 1 โ€“ย IntroductionLearning Java 1 โ€“ย Introduction
Learning Java 1 โ€“ย Introductioncaswenson
ย 
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. Nagpur
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. NagpurCore & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. Nagpur
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. NagpurPSK Technolgies Pvt. Ltd. IT Company Nagpur
ย 
JAVA CONCEPTS AND PRACTICES
JAVA CONCEPTS AND PRACTICESJAVA CONCEPTS AND PRACTICES
JAVA CONCEPTS AND PRACTICESNikunj Parekh
ย 
Jist of Java
Jist of JavaJist of Java
Jist of JavaNikunj Parekh
ย 
Programing with java for begniers .pptx
Programing with java for begniers  .pptxPrograming with java for begniers  .pptx
Programing with java for begniers .pptxadityaraj7711
ย 
Java fundamentals
Java fundamentalsJava fundamentals
Java fundamentalsHCMUTE
ย 
unit-3java.pptx
unit-3java.pptxunit-3java.pptx
unit-3java.pptxsujatha629799
ย 
Introduction of Object Oriented Programming Language using Java. .pptx
Introduction of Object Oriented Programming Language using Java. .pptxIntroduction of Object Oriented Programming Language using Java. .pptx
Introduction of Object Oriented Programming Language using Java. .pptxPoonam60376
ย 
Md04 flow control
Md04 flow controlMd04 flow control
Md04 flow controlRakesh Madugula
ย 
String and string buffer
String and string bufferString and string buffer
String and string bufferkamal kotecha
ย 
Java Programming - 04 object oriented in java
Java Programming - 04 object oriented in javaJava Programming - 04 object oriented in java
Java Programming - 04 object oriented in javaDanairat Thanabodithammachari
ย 
11.Object Oriented Programming.pdf
11.Object Oriented Programming.pdf11.Object Oriented Programming.pdf
11.Object Oriented Programming.pdfExport Promotion Bureau
ย 
Java interview questions 2
Java interview questions 2Java interview questions 2
Java interview questions 2Sherihan Anver
ย 
Java session4
Java session4Java session4
Java session4Jigarthacker
ย 

Similar to Autoboxing and unboxing (20)

JAVA CONCEPTS
JAVA CONCEPTS JAVA CONCEPTS
JAVA CONCEPTS
ย 
Wrapper class
Wrapper classWrapper class
Wrapper class
ย 
Java String Handling
Java String HandlingJava String Handling
Java String Handling
ย 
Learning Java 1 โ€“ย Introduction
Learning Java 1 โ€“ย IntroductionLearning Java 1 โ€“ย Introduction
Learning Java 1 โ€“ย Introduction
ย 
CH1 ARRAY (1).pptx
CH1 ARRAY (1).pptxCH1 ARRAY (1).pptx
CH1 ARRAY (1).pptx
ย 
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. Nagpur
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. NagpurCore & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. Nagpur
Core & Advance Java Training For Beginner-PSK Technologies Pvt. Ltd. Nagpur
ย 
JAVA CONCEPTS AND PRACTICES
JAVA CONCEPTS AND PRACTICESJAVA CONCEPTS AND PRACTICES
JAVA CONCEPTS AND PRACTICES
ย 
Jist of Java
Jist of JavaJist of Java
Jist of Java
ย 
Programing with java for begniers .pptx
Programing with java for begniers  .pptxPrograming with java for begniers  .pptx
Programing with java for begniers .pptx
ย 
Java fundamentals
Java fundamentalsJava fundamentals
Java fundamentals
ย 
unit-3java.pptx
unit-3java.pptxunit-3java.pptx
unit-3java.pptx
ย 
Introduction of Object Oriented Programming Language using Java. .pptx
Introduction of Object Oriented Programming Language using Java. .pptxIntroduction of Object Oriented Programming Language using Java. .pptx
Introduction of Object Oriented Programming Language using Java. .pptx
ย 
Md04 flow control
Md04 flow controlMd04 flow control
Md04 flow control
ย 
String and string buffer
String and string bufferString and string buffer
String and string buffer
ย 
Java Programming - 04 object oriented in java
Java Programming - 04 object oriented in javaJava Programming - 04 object oriented in java
Java Programming - 04 object oriented in java
ย 
Java String
Java String Java String
Java String
ย 
11.Object Oriented Programming.pdf
11.Object Oriented Programming.pdf11.Object Oriented Programming.pdf
11.Object Oriented Programming.pdf
ย 
Introduction to java programming part 2
Introduction to java programming  part 2Introduction to java programming  part 2
Introduction to java programming part 2
ย 
Java interview questions 2
Java interview questions 2Java interview questions 2
Java interview questions 2
ย 
Java session4
Java session4Java session4
Java session4
ย 

Recently uploaded

dusjagr & nano talk on open tools for agriculture research and learning
dusjagr & nano talk on open tools for agriculture research and learningdusjagr & nano talk on open tools for agriculture research and learning
dusjagr & nano talk on open tools for agriculture research and learningMarc Dusseiller Dusjagr
ย 
Towards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptxTowards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptxJisc
ย 
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdf
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdfUnit 3 Emotional Intelligence and Spiritual Intelligence.pdf
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdfDr Vijay Vishwakarma
ย 
REMIFENTANIL: An Ultra short acting opioid.pptx
REMIFENTANIL: An Ultra short acting opioid.pptxREMIFENTANIL: An Ultra short acting opioid.pptx
REMIFENTANIL: An Ultra short acting opioid.pptxDr. Ravikiran H M Gowda
ย 
Understanding Accommodations and Modifications
Understanding  Accommodations and ModificationsUnderstanding  Accommodations and Modifications
Understanding Accommodations and ModificationsMJDuyan
ย 
Play hard learn harder: The Serious Business of Play
Play hard learn harder:  The Serious Business of PlayPlay hard learn harder:  The Serious Business of Play
Play hard learn harder: The Serious Business of PlayPooky Knightsmith
ย 
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptx
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptxExploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptx
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptxPooja Bhuva
ย 
How to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POSHow to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POSCeline George
ย 
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...Pooja Bhuva
ย 
Spellings Wk 4 and Wk 5 for Grade 4 at CAPS
Spellings Wk 4 and Wk 5 for Grade 4 at CAPSSpellings Wk 4 and Wk 5 for Grade 4 at CAPS
Spellings Wk 4 and Wk 5 for Grade 4 at CAPSAnaAcapella
ย 
FSB Advising Checklist - Orientation 2024
FSB Advising Checklist - Orientation 2024FSB Advising Checklist - Orientation 2024
FSB Advising Checklist - Orientation 2024Elizabeth Walsh
ย 
Jamworks pilot and AI at Jisc (20/03/2024)
Jamworks pilot and AI at Jisc (20/03/2024)Jamworks pilot and AI at Jisc (20/03/2024)
Jamworks pilot and AI at Jisc (20/03/2024)Jisc
ย 
The basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptxThe basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptxheathfieldcps1
ย 
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptx
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptxHMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptx
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptxmarlenawright1
ย 
How to Add New Custom Addons Path in Odoo 17
How to Add New Custom Addons Path in Odoo 17How to Add New Custom Addons Path in Odoo 17
How to Add New Custom Addons Path in Odoo 17Celine George
ย 
What is 3 Way Matching Process in Odoo 17.pptx
What is 3 Way Matching Process in Odoo 17.pptxWhat is 3 Way Matching Process in Odoo 17.pptx
What is 3 Way Matching Process in Odoo 17.pptxCeline George
ย 
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...Pooja Bhuva
ย 
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdf
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdfUGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdf
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdfNirmal Dwivedi
ย 
On National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan FellowsOn National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan FellowsMebane Rash
ย 
Introduction to TechSoupโ€™s Digital Marketing Services and Use Cases
Introduction to TechSoupโ€™s Digital Marketing  Services and Use CasesIntroduction to TechSoupโ€™s Digital Marketing  Services and Use Cases
Introduction to TechSoupโ€™s Digital Marketing Services and Use CasesTechSoup
ย 

Recently uploaded (20)

dusjagr & nano talk on open tools for agriculture research and learning
dusjagr & nano talk on open tools for agriculture research and learningdusjagr & nano talk on open tools for agriculture research and learning
dusjagr & nano talk on open tools for agriculture research and learning
ย 
Towards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptxTowards a code of practice for AI in AT.pptx
Towards a code of practice for AI in AT.pptx
ย 
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdf
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdfUnit 3 Emotional Intelligence and Spiritual Intelligence.pdf
Unit 3 Emotional Intelligence and Spiritual Intelligence.pdf
ย 
REMIFENTANIL: An Ultra short acting opioid.pptx
REMIFENTANIL: An Ultra short acting opioid.pptxREMIFENTANIL: An Ultra short acting opioid.pptx
REMIFENTANIL: An Ultra short acting opioid.pptx
ย 
Understanding Accommodations and Modifications
Understanding  Accommodations and ModificationsUnderstanding  Accommodations and Modifications
Understanding Accommodations and Modifications
ย 
Play hard learn harder: The Serious Business of Play
Play hard learn harder:  The Serious Business of PlayPlay hard learn harder:  The Serious Business of Play
Play hard learn harder: The Serious Business of Play
ย 
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptx
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptxExploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptx
Exploring_the_Narrative_Style_of_Amitav_Ghoshs_Gun_Island.pptx
ย 
How to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POSHow to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POS
ย 
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...
Sensory_Experience_and_Emotional_Resonance_in_Gabriel_Okaras_The_Piano_and_Th...
ย 
Spellings Wk 4 and Wk 5 for Grade 4 at CAPS
Spellings Wk 4 and Wk 5 for Grade 4 at CAPSSpellings Wk 4 and Wk 5 for Grade 4 at CAPS
Spellings Wk 4 and Wk 5 for Grade 4 at CAPS
ย 
FSB Advising Checklist - Orientation 2024
FSB Advising Checklist - Orientation 2024FSB Advising Checklist - Orientation 2024
FSB Advising Checklist - Orientation 2024
ย 
Jamworks pilot and AI at Jisc (20/03/2024)
Jamworks pilot and AI at Jisc (20/03/2024)Jamworks pilot and AI at Jisc (20/03/2024)
Jamworks pilot and AI at Jisc (20/03/2024)
ย 
The basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptxThe basics of sentences session 3pptx.pptx
The basics of sentences session 3pptx.pptx
ย 
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptx
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptxHMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptx
HMCS Vancouver Pre-Deployment Brief - May 2024 (Web Version).pptx
ย 
How to Add New Custom Addons Path in Odoo 17
How to Add New Custom Addons Path in Odoo 17How to Add New Custom Addons Path in Odoo 17
How to Add New Custom Addons Path in Odoo 17
ย 
What is 3 Way Matching Process in Odoo 17.pptx
What is 3 Way Matching Process in Odoo 17.pptxWhat is 3 Way Matching Process in Odoo 17.pptx
What is 3 Way Matching Process in Odoo 17.pptx
ย 
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...
Beyond_Borders_Understanding_Anime_and_Manga_Fandom_A_Comprehensive_Audience_...
ย 
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdf
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdfUGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdf
UGC NET Paper 1 Unit 7 DATA INTERPRETATION.pdf
ย 
On National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan FellowsOn National Teacher Day, meet the 2024-25 Kenan Fellows
On National Teacher Day, meet the 2024-25 Kenan Fellows
ย 
Introduction to TechSoupโ€™s Digital Marketing Services and Use Cases
Introduction to TechSoupโ€™s Digital Marketing  Services and Use CasesIntroduction to TechSoupโ€™s Digital Marketing  Services and Use Cases
Introduction to TechSoupโ€™s Digital Marketing Services and Use Cases
ย 

Autoboxing and unboxing

  • 1. 1 Autoboxing and Unboxing: The automatic conversion of primitive data types into its equivalent Wrapper type is known as boxing and opposite operation is known as unboxing. This is the new feature of Java5. So java programmer doesn't need to write the conversion code. Advantage of Autoboxing and Unboxing: No need of conversion between primitives and Wrappers manually so less coding is required. Simple Example of Autoboxing in java: 1. class BoxingExample1{ 2. public static void main(String args[]){ 3. int a=50; 4. Integer a2=new Integer(a);//Boxing 5. 6. Integer a3=5;//Boxing 7. 8. System.out.println(a2+" "+a3); 9. } 10. } 11. Test it Now Output:50 5 download this example Simple Example of Unboxing in java: The automatic conversion of wrapper class type into corresponding primitive type, is known as Unboxing. Let's see the example of unboxing: 1. 2. class UnboxingExample1{ 3. public static void main(String args[]){ 4. Integer i=new Integer(50); 5. int a=i;
  • 2. 2 6. 7. System.out.println(a); 8. } 9. } 10. Wrapper class in Java Wrapper class in java provides the mechanism to convert primitive into object and object into primitive. Since J2SE 5.0, autoboxing and unboxing feature converts primitive into object and object into primitive automatically. The automatic conversion of primitive into object is known and autoboxing and vice-versa unboxing. One of the eight classes of java.lang package are known as wrapper class in java. The list of eight wrapper classes are given below: Primitive Type Wrapper clas boolean Boolean char Character byte Byte short Short int Integer long Long float Float double Double Wrapper class Example: Primitive to Wrapper 1. public class WrapperExample1{ 2. public static void main(String args[]){ 3. //Converting int into Integer 4. int a=20;
  • 3. 3 5. Integer i=Integer.valueOf(a);//converting int into Integer 6. Integer j=a;//autoboxing, now compiler will write Integer.valueOf(a) internally 7. 8. System.out.println(a+" "+i+" "+j); 9. }} Output: 20 20 20 Wrapper class Example: Wrapper to Primitive 1. public class WrapperExample2{ 2. public static void main(String args[]){ 3. //Converting Integer to int 4. Integer a=new Integer(3); 5. int i=a.intValue();//converting Integer to int 6. int j=a;//unboxing, now compiler will write a.intValue() internally 7. 8. System.out.println(a+" "+i+" "+j); 9. }} Output: 3 3 3
  • 4. 4 Difference between object and class There are many differences between object and class. A list of differences between object and class are given below: No. Object 1) Object is an instance of a class. 2) Object is a real world entity such as pen, laptop, mobile, bed, keyboard, mouse, chair e 3) Object is a physical entity. 4) Object is created through new keyword ma Student s1=new Student(); 5) Object is created many times as per requirement. 6) Object allocates memory when it is created. 7) There are many ways to create object in java such as new keyword, newInstance method, factory method and deserialization. Next TopicMethod Overloading vs Method Overriding โ† prevnext โ†’
  • 5. 5 Difference between method overloading and method overriding in java There are many differences between method overloading and method overriding in java. A list of differences between method overloading and method overriding are given below: No. Method Overloading 1) Method overloading is used to increase the readability of the program. 2) Method overloading is performed within class. 3) In case of method overloading, parameter must be different. 4) Method overloading is the example of compile time polymorphism. 5) In java, method overloading can't be performed by changing return type of the metho only. Return type can be same or different in method overloading. But you must have to chang the parameter. Java Method Overloading example 1. class OverloadingExample{ 2. static int add(int a,int b){return a+b;} 3. static int add(int a,int b,int c){return a+b+c;} 4. } Java Method Overriding example 1. class Animal{ 2. void eat(){System.out.println("eating...");} 3. } 4. class Dog extends Animal{ 5. void eat(){System.out.println("eating bread...");} 6. } Next 1) String compare by equals() method The String equals() method compares the original content of the string. It compares values of string for equality. String class provides two methods:
  • 6. 6 o public boolean equals(Object another) compares this string to the specified object. o public boolean equalsIgnoreCase(String another) compares this String to another string, ignoring case. 1. class Teststringcomparison1{ 2. public static void main(String args[]){ 3. String s1="Sachin"; 4. String s2="Sachin"; 5. String s3=new String("Sachin"); 6. String s4="Saurav"; 7. System.out.println(s1.equals(s2));//true 8. System.out.println(s1.equals(s3));//true 9. System.out.println(s1.equals(s4));//false 10. } 11. } Test it Now Output:true true false 1. class Teststringcomparison2{ 2. public static void main(String args[]){ 3. String s1="Sachin"; 4. String s2="SACHIN"; 5. 6. System.out.println(s1.equals(s2));//false 7. System.out.println(s1.equalsIgnoreCase(s3));//true 8. } 9. } Test it Now Output:false true 2) String compare by == operator The = = operator compares references not values. 1. class Teststringcomparison3{ 2. public static void main(String args[]){ 3. String s1="Sachin";
  • 7. 7 4. String s2="Sachin"; 5. String s3=new String("Sachin"); 6. System.out.println(s1==s2);//true (because both refer to same instance) 7. System.out.println(s1==s3);//false(because s3 refers to instance created in nonpool) 8. } 9. } Test it ow Output:true false 3) String compare 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: o s1 == s2 :0 o s1 > s2 :positive value o s1 < s2 :negative value 1. class Teststringcomparison4{ 2. public static void main(String args[]){ 3. String s1="Sachin"; 4. String s2="Sachin"; 5. String s3="Ratan"; 6. System.out.println(s1.compareTo(s2));//0 7. System.out.println(s1.compareTo(s3));//1(because s1>s3) 8. System.out.println(s3.compareTo(s1));//-1(because s3 < s1 ) 9. } 10. } 2) String Concatenation by concat() method The String concat() method concatenates the specified string to the end of current string. Syntax: 1. public String concat(String another) Let's see the example of String concat() method.
  • 8. 8 1. class TestStringConcatenation3{ 2. public static void main(String args[]){ 3. String s1="Sachin "; 4. String s2="Tendulkar"; 5. String s3=s1.concat(s2); 6. System.out.println(s3);//Sachin Tendulkar 7. } 8. } Test it NowSachin Tendulkar Substring in Java A part of string is called substring. In other words, substring is a subset of another string. In case of substring startIndex is inclusive and endIndex is exclusive. 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: o startIndex: inclusive o endIndex: exclusive Let's understand the startIndex and endIndex by the code given below. 1. String s="hello"; 2. System.out.println(s.substring(0,2));//he In the above substring, 0 points to h but 2 points to e (because end index is exclusive). Example of java substring 1. public class TestSubstring{ 2. public static void main(String args[]){ 3. String s="Sachin Tendulkar"; 4. System.out.println(s.substring(6));//Tendulkar
  • 9. 9 5. System.out.println(s.substring(0,6));//Sachin 6. } 7. } Java String class methods The java.lang.String class provides a lot of methods to work on string. By the help of these methods, we can perform operations on string such as trimming, concatenating, converting, comparing, replacing strings etc. Java String is a powerful concept because everything is treated as a string if you submit any form in window based, web based or mobile application. Let's see the important methods of String class. Java String toUpperCase() and toLowerCase() method The java string toUpperCase() method converts this string into uppercase letter and string toLowerCase() method into lowercase letter. 1. String s="Sachin"; 2. System.out.println(s.toUpperCase());//SACHIN 3. System.out.println(s.toLowerCase());//sachin 4. System.out.println(s);//Sachin(no change in original) Test it Now SACHIN sachin Sachin Java String trim() method The string trim() method eliminates white spaces before and after string. 1. String s=" Sachin "; 2. System.out.println(s);// Sachin 3. System.out.println(s.trim());//Sachin Test it Now Sachin Sachin
  • 10. 10 Java String startsWith() and endsWith() method 1. String s="Sachin"; 2. System.out.println(s.startsWith("Sa"));//true 3. System.out.println(s.endsWith("n"));//true Test it Now true true Java String charAt() method The string charAt() method returns a character at specified index. 1. String s="Sachin"; 2. System.out.println(s.charAt(0));//S 3. System.out.println(s.charAt(3));//h Test it Now S h Java String length() method The string length() method returns length of the string. 1. String s="Sachin"; 2. System.out.println(s.length());//6 Test it Now 6 Java String intern() method A pool of strings, initially empty, is maintained privately by the class String. When the intern method is invoked, if the pool already contains a string equal to this String object as determined by the equals(Object) method, then the string from the pool is returned. Otherwise, this String object is added to the pool and a reference to this String object is returned. 1. String s=new String("Sachin");
  • 11. 11 2. String s2=s.intern(); 3. System.out.println(s2);//Sachin 4. Test it Now Sachin Java String valueOf() method The string valueOf() method coverts given type such as int, long, float, double, boolean, char and char array into string. 1. int a=10; 2. String s=String.valueOf(a); 3. System.out.println(s+10); Output: 1010 Java String replace() method The string replace() method replaces all occurrence of first sequence of character with second sequence of character. 1. String s1="Java is a programming language. Java is a platform. Java is an Island."; 2. String replaceString=s1.replace("Java","Kava");//replaces all occurrences of "Java" to "Kava " 3. System.out.println(replaceString); Output: Kava is a programming language. Kava is a platform. Kava is an Island. next โ†’โ† prev Java StringBuffer class Java StringBuffer class is used to created mutable (modifiable) string. The StringBuffer class in java is same as String class except it is mutable i.e. it can be changed.
  • 12. 12 Note: Java StringBuffer class is thread-safe i.e. multiple threads cannot access it simultaneously. So it is safe and will result in an order. Important Constructors of StringBuffer class 1. StringBuffer(): creates an empty string buffer with the initial capacity of 16. 2. StringBuffer(String str): creates a string buffer with the specified string. 3. StringBuffer(int capacity): creates an empty string buffer with the specified capacity as length. Important methods of StringBuffer class 1. public synchronized StringBuffer append(String s): is used to append the specified string with this string. The append() method is overloaded like append(char), append(boolean), append(int), append(float), append(double) etc. 2. public synchronized StringBuffer insert(int offset, String s): is used to insert the specified string with this string at the specified position. The insert() method is overloaded like insert(int, char), insert(int, boolean), insert(int, int), insert(int, float), insert(int, double) etc. 3. public synchronized StringBuffer replace(int startIndex, int endIndex, String str): is used to replace the string from specified startIndex and endIndex. 4. public synchronized StringBuffer delete(int startIndex, int endIndex): is used to delete the string from specified startIndex and endIndex. 5. public synchronized StringBuffer reverse(): is used to reverse the string. 6. public int capacity(): is used to return the current capacity. 7. public void ensureCapacity(int minimumCapacity): is used to ensure the capacity at least equal to the given minimum. 8. public char charAt(int index): is used to return the character at the specified position. 9. public int length(): is used to return the length of the string i.e. total number of characters. 10. public String substring(int beginIndex): is used to return the substring from the specified beginIndex. 11. public String substring(int beginIndex, int endIndex): is used to return the substring from the specified beginIndex and endIndex.
  • 13. 13 What is mutable string A string that can be modified or changed is known as mutable string. StringBuffer and StringBuilder classes are used for creating mutable string. 1) StringBuffer append() method The append() method concatenates the given argument with this string. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer("Hello "); 4. sb.append("Java");//now original string is changed 5. System.out.println(sb);//prints Hello Java 6. } 7. } 2) StringBuffer insert() method The insert() method inserts the given string with this string at the given position. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer("Hello "); 4. sb.insert(1,"Java");//now original string is changed 5. System.out.println(sb);//prints HJavaello 6. } 7. } 3) StringBuffer replace() method The replace() method replaces the given string from the specified beginIndex and endIndex. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer("Hello"); 4. sb.replace(1,3,"Java"); 5. System.out.println(sb);//prints HJavalo 6. } 7. }
  • 14. 14 4) StringBuffer delete() method The delete() method of StringBuffer class deletes the string from the specified beginIndex to endIndex. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer("Hello"); 4. sb.delete(1,3); 5. System.out.println(sb);//prints Hlo 6. } 7. } 5) StringBuffer reverse() method The reverse() method of StringBuilder class reverses the current string. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer("Hello"); 4. sb.reverse(); 5. System.out.println(sb);//prints olleH 6. } 7. } 6) StringBuffer capacity() method The capacity() method of StringBuffer class returns the current capacity of the buffer. The default capacity of the buffer is 16. If the number of character increases from its current capacity, it increases the capacity by (oldcapacity*2)+2. For example if your current capacity is 16, it will be (16*2)+2=34. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer(); 4. System.out.println(sb.capacity());//default 16 5. sb.append("Hello"); 6. System.out.println(sb.capacity());//now 16 7. sb.append("java is my favourite language"); 8. System.out.println(sb.capacity());//now (16*2)+2=34 i.e (oldcapacity*2)+2 9. }
  • 15. 15 10. } 7) StringBuffer ensureCapacity() method The ensureCapacity() method of StringBuffer class ensures that the given capacity is the minimum to the current capacity. If it is greater than the current capacity, it increases the capacity by (oldcapacity*2)+2. For example if your current capacity is 16, it will be (16*2)+2=34. 1. class A{ 2. public static void main(String args[]){ 3. StringBuffer sb=new StringBuffer(); 4. System.out.println(sb.capacity());//default 16 5. sb.append("Hello"); 6. System.out.println(sb.capacity());//now 16 7. sb.append("java is my favourite language"); 8. System.out.println(sb.capacity());//now (16*2)+2=34 i.e (oldcapacity*2)+2 9. sb.ensureCapacity(10);//now no change 10. System.out.println(sb.capacity());//now 34 11. sb.ensureCapacity(50);//now (34*2)+2 12. System.out.println(sb.capacity());//now 70 13. } 14. } Difference between String and StringBuffer There are many differences between String and StringBuffer. A list of differences between String and StringBuffer are given below: No. String 1) String class is immutable. 2) String is slow and consumes more memory when you concat too many strings because every creates new instance. 3) String class overrides the equals() method of Object class. So you can compare the contents strings by equals() method. Performance Test of String and StringBuffer
  • 16. 16 1. public class ConcatTest{ 2. public static String concatWithString() { 3. String t = "Java"; 4. for (int i=0; i<10000; i++){ 5. t = t + "Tpoint"; 6. } 7. return t; 8. } 9. public static String concatWithStringBuffer(){ 10. StringBuffer sb = new StringBuffer("Java"); 11. for (int i=0; i<10000; i++){ 12. sb.append("Tpoint"); 13. } 14. return sb.toString(); 15. } 16. public static void main(String[] args){ 17. long startTime = System.currentTimeMillis(); 18. concatWithString(); 19. System.out.println("Time taken by Concating with String: "+(System.currentTimeMillis ()-startTime)+"ms"); 20. startTime = System.currentTimeMillis(); 21. concatWithStringBuffer(); 22. System.out.println("Time taken by Concating with StringBuffer: "+(System.currentTim eMillis()-startTime)+"ms"); 23. } 24. } Time taken by Concating with String: 578ms Time taken by Concating with StringBuffer: 0ms String and StringBuffer HashCode Test As you can see in the program given below, String returns new hashcode value when you concat string but StringBuffer returns same. 1. public class InstanceTest{ 2. public static void main(String args[]){ 3. System.out.println("Hashcode test of String:"); 4. String str="java"; 5. System.out.println(str.hashCode());
  • 17. 17 6. str=str+"tpoint"; 7. System.out.println(str.hashCode()); 8. 9. System.out.println("Hashcode test of StringBuffer:"); 10. StringBuffer sb=new StringBuffer("java"); 11. System.out.println(sb.hashCode()); 12. sb.append("tpoint"); 13. System.out.println(sb.hashCode()); 14. } 15. } Hashcode test of String: 3254818 229541438 Hashcode test of StringBuffer: 118352462 118352462 Java toString() method If you want to represent any object as a string, toString() method comes into existence. The toString() method returns the string representation of the object. If you print any object, java compiler internally invokes the toString() method on the object. So overriding the toString() method, returns the desired output, it can be the state of an object etc. depends on your implementation. Advantage of Java toString() method By overriding the toString() method of the Object class, we can return values of the object, so we don't need to write much code. Understanding problem without toString() method Let's see the simple code that prints reference. 1. class Student{ 2. int rollno; 3. String name; 4. String city; 5.
  • 18. 18 6. Student(int rollno, String name, String city){ 7. this.rollno=rollno; 8. this.name=name; 9. this.city=city; 10. } 11. 12. public static void main(String args[]){ 13. Student s1=new Student(101,"Raj","lucknow"); 14. Student s2=new Student(102,"Vijay","ghaziabad"); 15. 16. System.out.println(s1);//compiler writes here s1.toString() 17. System.out.println(s2);//compiler writes here s2.toString() 18. } 19. } Output:Student@1fee6fc Student@1eed786 As you can see in the above example, printing s1 and s2 prints the hashcode values of the objects but I want to print the values of these objects. Since java compiler internally calls toString() method, overriding this method will return the specified values. Let's understand it with the example given below: Example of Java toString() method Now let's see the real example of toString() method. 1. class Student{ 2. int rollno; 3. String name; 4. String city; 5. 6. Student(int rollno, String name, String city){ 7. this.rollno=rollno; 8. this.name=name; 9. this.city=city; 10. } 11. 12. public String toString(){//overriding the toString() method 13. return rollno+" "+name+" "+city;
  • 19. 19 14. } 15. public static void main(String args[]){ 16. Student s1=new Student(101,"Raj","lucknow"); 17. Student s2=new Student(102,"Vijay","ghaziabad"); 18. 19. System.out.println(s1);//compiler writes here s1.toString() 20. System.out.println(s2);//compiler writes here s2.toString() 21. } 22. } download this example of toString method Output:101 Raj lucknow 102 Vijay ghaziabad StringTokenizer in Java 1. StringTokenizer 2. Methods of StringTokenizer 3. Example of StringTokenizer The java.util.StringTokenizer class allows you to break a string into tokens. It is simple way to break string. It doesn't provide the facility to differentiate numbers, quoted strings, identifiers etc. like StreamTokenizer class. We will discuss about the StreamTokenizer class in I/O chapter. Constructors of StringTokenizer class There are 3 constructors defined in the StringTokenizer class. Constructor Description StringTokenizer(String str) creates StringTokenizer with specified string. StringTokenizer(String str, String delim) creates StringTokenizer with specified string and StringTokenizer(String str, String delim, boolean returnValue) creates StringTokenizer with specified string, deli considered to be tokens. If it is false, delimiter cha
  • 20. 20 Methods of StringTokenizer class Public method Description boolean hasMoreTokens() checks if there is more tokens ava String nextToken() returns the next token from the S String nextToken(String delim) returns the next token based on t boolean hasMoreElements() same as hasMoreTokens() metho Object nextElement() same as nextToken() but its retur int countTokens() returns the total number of token Simple example of StringTokenizer class Let's see the simple example of StringTokenizer class that tokenizes a string "my name is khan" on the basis of whitespace. 1. import java.util.StringTokenizer; 2. public class Simple{ 3. public static void main(String args[]){ 4. StringTokenizer st = new StringTokenizer("my name is khan"," "); 5. while (st.hasMoreTokens()) { 6. System.out.println(st.nextToken()); 7. } 8. } 9. } Output:my name is khan